How to extract Index DDLs only

Hi Guys,
I have a requirement to extract only the indexes defined in the database and move it to another file group in the database, I am unable to extract the indexes alone in the management studio, is there a way to do this with some tool.
With regards,
Gopinath. 
With regards, Gopinath.

You can also try PowerShell
https://sqlpowershell.wordpress.com/2013/04/24/powersql-generate-only-index-script-of-all-tables-or-specific-tables/
Save the below PowerShell script in F:\PowerSQL\IndexScript.ps1
PARAM
$server = $(read-host “Server”),
$instance = $(read-host “Instance – Default”),
$database = $(read-host “Database”),
$schema = $(read-host “schema (default schema dbo)”),
$tables = $(read-host “Tables (*)”)
$path = “sqlserver:\sql\$server\$instance\databases\$database\tables”
IF ($tables -eq ‘*’)
$tableset= gci -path $path | select-object name
foreach($t in $tableset)
$path1 = $path+”\dbo.”+$t.name+”\indexes\”
gci -path $path1 | %{$_.Script() | out-file f:\PowerSQL\index.txt -append; “GO `r`n ” | out-file f:\PowerSQL\index.txt -append; $_.Name;}
ELSE
{ $tableset =get-childitem $path -ErrorAction stop | where-object {$_.name -like “$tables”}
foreach($t in $tableset)
$path = $path+”\dbo.”+$t.name+”\indexes\”
gci -path $path | %{$_.Script() | out-file f:\PowerSQL\index.txt -append; “GO `r`n “| out-file f:\PowerSQL\index.txt -append; $_.Name;}
Load the module SQLPS and run the IndexScript.PS1 by passing parameters
PS F:\Powersql> sqlps
Microsoft SQL Server PowerShell
Version 10.50.1600.1
Microsoft Corp. All rights reserved.
PS SQLSERVER:\> F:\PowerSQL\IndexScript.ps1
Server: ABCDSP18
Instance - Default: default
Database: Power
schema (default schema dbo): dbo
Tables (*): *
Output will be saved in 
f:\PowerSQL\index.txt
--Prashanth

Similar Messages

  • How to extract a ddl from a dump database.

    Hi
    I'm new to Oracle. I got a dump file from a Oracle database. I need to get from it the ddl to recreate the database on another Oracle server.
    How do i do it? Please show me details steps how to do it.
    Thanks.

    If you are in UNIX, save this code to a script and try it.
    # impshow2sql   Tries to convert output of an IMP SHOW=Y command into a
    #               usage SQL script.
    # To use:
    #               Start a Unix script session and import with show=Y thus:
    #               $ imp user/password file=exportfile show=Y log=/tmp/showfile
    #               You now have the SHOW=Y output in /tmp/showfile .
    #               Run this script against this file thus:
    #               $ ./impshow2sql /tmp/showfile > /tmp/imp.sql
    #               The file /tmp/imp.sql should now contain the main SQL for
    #               the IMPORT.
    #               You can edit this as required.
    # Note:         This script may split lines incorrectly for some statements
    #               so it is best to check the output.
    # CONSTRAINT "" problem:
    #               You can use this script to help get the SQL from an export
    #               then correct it if it includes bad SQL such as CONSTRAINT "".
    #               Eg:
    #                Use the steps above to get a SQL script and then
    #                $ sed -e 's/CONSTRAINT ""//' infile > outfile
    #               Now precreate all the objects and import the export file.
    # Extracting Specific Statements only:
    #     It is fairly easy to change the script to extract certain statements
    #     only. For statements you do NOT want to extract change N=1 to N=0
    #      Eg: To extract CREATE TRIGGER statements only:
    #          a) Change all lines to set N=0.
    #              Eg: / \"CREATE /    { N=0; }
    #                 This stops CREATE statements being output.
    #          b) Add a line (After the general CREATE line above):
    #               / \"CREATE TRIGGER/     { N=1; }
    #             This flags that we SHOULD output CREATE TRIGGER statements.
    #          c) Run the script as described to get CREATE TRIGGER statements.
    awk '  BEGIN     { prev=";" }
         / \"CREATE /      { N=1; }
         / \"ALTER /      { N=1; }
         / \"ANALYZE /      { N=1; }
         / \"GRANT /       { N=1; }
         / \"COMMENT /   { N=1; }
         / \"AUDIT /     { N=1; }
         N==1 { printf "\n/\n\n"; N++ }
         /\"$/ { prev=""
              if (N==0) next;
              s=index( $0, "\"" );
                       if ( s!=0 ) {
                   printf "%s",substr( $0,s+1,length( substr($0,s+1))-1 )
                   prev=substr($0,length($0)-1,1 );
              if (length($0)<78) printf( "\n" );
               }'  $*

  • How to Extract the URLs,Tittles and Snippets only

    Hi,
    My HTML file looks like the fallowing.
    [ URL = "http://www.apple.com/" Title = "Apple" Snippet = "Official site of Apple Computer, Inc." Directory Category = {SE="", FVN=""} Directory Title = "" Summary = "" Cached Size = "33k" Related information present = true Host Name = "www.apple.com" ],
    [ URL = "http://www.apple.com/quicktime/" Title = "Apple - QuickTime" Snippet = "Apple's free media player supporting innumerable audio and video formats. The proversion includes an abundance of media authoring capabilities." Directory Category = {SE="", FVN=""} Directory Title = "" Summary = "" Cached Size = "7k" Related information present = true Host Name = "www.apple.com" ],
    thus it contains set of URL's,tittles and Snippets.Now my task is how to extract only URL,title and snippet part only.Can you please suggest me suitable method.
    thanking you inadvance.

    Regex is an option, here's a small start:import java.util.regex.Matcher;
    import java.util.regex.Pattern;
    public class Main {
        public static void main(String[] args) {
            String htmlText = "[ URL = \"http://www.apple.com/\" Title = \"Apple\" Snippet = "+
                            "\"Official site of Apple Computer, Inc.\" Directory Category = "+
                            "{SE=\"\", FVN=\"\"} Directory Title = \"\" Summary = \"\" Cached "+
                            "Size = \"33k\" Related information present = true Host Name = "+
                            "\"www.apple.com\" ], [ URL = \"http://www.apple.com/quicktime/\" "+
                            "Title = \"Apple - QuickTime\" Snippet = \"Apple's free media player "+
                            "supporting innumerable audio and video formats. The proversion "+
                            "includes an abundance of media authoring capabilities.\" Directory "+
                            "Category = {SE=\"\", FVN=\"\"} Directory Title = \"\" Summary = \"\" "+
                            "Cached Size = \"7k\" Related information present = true Host Name = "+
                            "\"www.apple.com\" ],";
            String regex = "[a-zA-Z]+.*?\\s+=\\s+\"(.*?)\"";
            Pattern pattern = Pattern.compile(regex);
            Matcher matcher = pattern.matcher(htmlText);
            while(matcher.find()) {
                String s = matcher.group();
                System.out.println(s);
    }Details: http://java.sun.com/docs/books/tutorial/essential/regex/

  • Oracle Golden Gate - Extract DDL only

    Hi.  We are working on a golden gate proof of concept.  The way our configuration is set up, we want to pull changes from our standby to keep load low on the primary.  This will require us to extract ddl changes from the primary, so my current plan is to put the dml on a 5 minute delay, and get the ddl immediately from the primary.  I am running into two issues, one I cannot figure out the setting to get DDL only from the primary (right now I am getting both ddl and dml from the primary), and 2, I get the following error  when retrieving data from the standby:  2015-04-16 20:08:40 ERROR OGG-00303 Oracle GoldenGate Capture for Oracle, ext1.prm: Invalid destination "+DATA/dgdemo/archivelog" specified for TRANLOGOPTION ALTARCHIVELOGDEST option, and I also get an error when I do do specify an archivelog destination.  Can anyone point me to the appropriate settings.  Below is the parameter file:
    extract ext1
    userid ggate password ggate
    --TRANLOGOPTIONS ASMUSER sys@ASM ASMPASSWORD password
    TRANLOGOPTIONS DBLOGREADER
    TRANLOGOPTIONS DBLOGREADERBUFSIZE 2597152,ASMBUFSIZE 28000
    TRANLOGOPTIONS ARCHIVEDLOGONLY
    TRANLOGOPTIONS ALTARCHIVELOGDEST primary "+DATA/dgdemo/archivelog" RECURSIVE
    discardfile ./dirrpt/ext1.dsc,purge
    reportcount every 15 minutes, rate
    exttrail ./dirdat/t1
    table SCOTT.*;

    OGG does not support ALTARCHIVELOGDEST parameter in ALO mode till OGG version 12c.
    Does GoldenGate Parameter ALTARCHIVELOGDEST Support ASM Diskgroups ? (Doc ID 1393059.1)
    Also In order to run Extract in the ALO mode when archived logs are stored in ASM,  the original database configuration must have complete file specification  in  log_archive_dest_n setting. Incomplete file specification leads ASM to ignore  log_archive_format. An Incomplete file spec only contain the diskgroup name  like +ASMDISK1.
    Users should ensure log_archive_dest is set using complete file  specification. In that case, log_archive_format is honored by ASM, and  Extract will work correctly.
    For example:
    alter diskgroup asmdisk2 add directory '+ASMDISK2/archivedir';

  • How to extract ddl

    Hi, someone to know how to extract ddl database oracle lite, using some tool or program native.
    Thanks
    Fabrício

    Hi Frabricio,
    Oracle Lite does not provide any tools to extract DDL, but you can use your own sql script by using the Oracle Lite Dictionary tables:
    Section 5.1, "ALL_COL_COMMENTS"
    Section 5.2, "ALL_CONSTRAINTS"
    Section 5.3, "ALL_CONS_COLUMNS"
    Section 5.4, "ALL_INDEXES"
    Section 5.5, "ALL_IND_COLUMNS"
    Section 5.6, "ALL_OBJECTS"
    Section 5.7, "ALL_SEQUENCES"
    Section 5.8, "ALL_SYNONYMS"
    Section 5.9, "ALL_TABLES"
    Section 5.10, "ALL_TAB_COLUMNS"
    Section 5.11, "ALL_TAB_COMMENTS"
    Section 5.12, "ALL_USERS"
    Section 5.13, "ALL_VIEWS"
    Section 5.14, "CAT"
    Section 5.15, "COLUMN_PRIVILEGES"
    Section 5.16, "DATABASE_PARAMETERS"
    Section 5.17, "DUAL"
    Section 5.18, "TABLE_PRIVILEGES"
    Section 5.19, "USER_OBJECTS"
    Regards.
    Marc

  • Extract DDL ONLY !

    Does somone know what parameter needs to be added to extract to enable DDL ONLY ?
    I don't wan't and DML's extracted.
    Thanks a lot !

    DDL for whom or what? In other words, what scope?
    http://docs.oracle.com/cd/E35209_01/doc.1121/e29797.pdf
    Look for Understanding DDL scopes

  • How to extract full list of Index Key from DB

    Hi there,
    Is anybody can tell me how to extract a full list of index key from my database and how to rebuild index for that full list.
    Thanks alot.

    Probably a bad idea, but in SQLPlus, you would do something like
    SPOOL SHOOTMEINTHEFOOT.SQL
    SET HEADING OFF
    SET PAGESIZE 0
    SELECT 'ALTER INDEX '||owner||'.'||object_name||' REBUILD;'
      FROM DBA_OBJECTS
    WHERE object_type='INDEX'
       AND NOT owner IN ('SYS', 'SYSTEM', 'MDSYS', {list others that should not be messed with})
    SPOOL OFF

  • How to Extract particular field from a string ( Mapping)

    how to exteract the particular field from the given string:
    ProcessEmp this element has a below string subfields.
    <ProcessEmp>&lt;?xml version="1.0" encoding="utf-8" standalone="no"?&gt;
    &lt;Employee PersonnelNumber="11111" FirstName="String" MiddleName="String" LastName="String" Department="String" Group="" SapUserID="10flname" EmailAddress="[email protected]" DefaultPassword="*" Status="Success" /&gt;</ProcessEmp>
    how to extract only PersonalNumber, department, EmailAddress from above ProcessEmp into 3 diff fields.
    Thanks
    dhanush.

    Hi,
    You are receiving XML message within a field. To access a particular field from that XML message, you could create a User Defined Function, as suggested by many already.
    You could write UDF using some of the String operation functions. This could include following:
    1. If you need to access field Employee PersonnelNumber, you could get last index of that within string using function lastIndexOf(String str). Pass string "Employee PersonnelNumber="" for this function.
    2. This function would return an index of rightmost occurance of this string.
    3. after this you could get the index of next occurance of ", as the value of field is within quotes. You could use function indexOf(int ch, int fromIndex) for getting the same. You would pass Character as " and index as the one received by previous function.
    4. Now you have index for starting and ending point of value string for desired field.
    5. After this you could use substring(int beginIndex, int endIndex) function by passing first and second index values to retrieve the needed string, which contains value of field.
    Hope this would be helful.
    Thanks,
    Bhavish
    Reward points if comments found helpful:-)

  • How to extract all keys (PK, FK) and constraints from the schema?

    hi,
    How to extract all keys (PK, FK) and constraints from the schema?Thanks!

    I have no idea about any tool which only extract the DDL of constraints.
    In oracle 9i or above you can use DBMS_METADATA to extract DDL of a table which also shows contraints defination.
    You can take the tables export without data and use databee tool to extract the DDL.
    www.databee.com

  • How to view the DDL script prior to object deployment in OWB 10g R2?

    How to view the DDL script prior to object deployment in OWB 10g R2?
    Here is what I' looking for: in 10gR2, let's say I've built dimension X, but it's not deployed yet. I've selected one of the deployment options, let's say: "Deploy to Catalog only". Now, I'd like to see a DDL script that will be executed at the deployment time. Where can I find this script? What screen? What menu?
    Thanks,
    vr

    Viewing the Scripts
    After you have generated scripts for your target objects, you can open the scripts and
    view the code. Warehouse Builder generates the following types of scripts:
    ■ DDL scripts: Creates or drops database objects.
    ■ SQL*Loader control files: Extracts and transports data from file sources.
    ■ ABAP scripts: Extracts and loads data from SAP systems.
    To view the generated scripts:
    1. From the Generation Results window, select an object in the navigation tree on the
    left of the Generation Results dialog.
    2. Select the Scripts tab on the right of this dialog.
    The Scripts tab contains a list of the generated scripts for the object you selected.
    3. Select a specific script and click the View Code button.
    Regards,
    Marcos

  • How many SECONDARY INDEXES are created for CLUSTER TABLES?

    how many SECONDARY INDEXES are created for CLUSTER TABLES?
    please explain.

    There seems to be some kind of misunderstanding here. You cannot create a secondary index on a cluster table. A cluster table does not exist as a separate physical table in the database; it is part of a "physical cluster". In the case of BSEG for instance, the physical cluster is RFBLG. The only fields of the cluster table that also exist as fields of the physical cluster are the leading fields of the primary key. Taking again BSEG as the example, the primary key includes the fields MANDT, BUKRS, BELNR, GJAHR, BUZEI. If you look at the structure of the RFBLG table, you will see that it has primary key fields MANDT, BUKRS, BELNR, GJAHR, PAGENO. The first four fields are those that all cluster tables inside BSEG have in common. The fifth field, PAGENO, is a "technical" field giving the sequence number of the current record in the series of cluster records sharing the same primary key.
    All the "functional" fields of the cluster table (for BSEG this is field BUZEI and everything beyond that) exist only inside a raw binary object. The database does not know about these fields, it only sees the raw object (the field VARDATA of the physical cluster). Since the field does not exist in the database, it is impossible to create a secondary index on it. If you try to create a secondary index on a cluster table in transaction SE11, you will therefore rightly get the error "Index maintenance only possible for transparent tables".
    Theoretically you could get around this by converting the cluster table to a transparent table. You can do this in the SAP dictionary. However, in practice this is almost never a good solution. The table becomes much larger (clusters are compressed) and you lose the advantage that related records are stored close to each other (the main reason for having cluster tables in the first place). Apart from the performance and disk space hit, converting a big cluster table like BSEG to transparent would take extremely long.
    In cases where "indexing" of fields of a cluster table is worthwhile, SAP has constructed "indexing tables" around the cluster. For example, around BSEG there are transparent tables like BSIS, BSAS, etc. Other clusters normally do not have this, but that simply means there is no reason for having it. I have worked with the SAP dictionary for over 12 years and I have never met a single case where it was necessary to convert a cluster to transparent.
    If you try to select on specific values of a non-transparent field in a cluster without also specifying selections for the primary key, then the database will have to do a serial read of the whole physical cluster (and the ABAP DB interface will have to decompress every single record to extract the fields). The performance of that is monstrous -- maybe that was the reason of your question. However, the solution then is (in the case of BSEG) to query via one of the index tables (where you are free to create secondary indexes since those tables are transparent).

  • How to Extract Data for a Maintenance View, Structure and Cluster Table

    I want to develop  3 Reports
    1) in First Report
    it consists only two Fields.
    Table name : V_001_B
    Field Name1: BUKRS
    Table name : V_001_B     
    Field Name2: BUTXT
    V_001_B is a Maintenance View
    For this one I don't Find any Datasource
    For this Maintenance View, How to Extract the Data.
    2)
    For the 2nd Report also it consists Two Fields
    Table name : CSKSZ
    Field Name1: KOSTL (cost center)
    Table name : CSKSZ
    Field Name2: KLTXT (Description)
    CSKSZ is a Structure
    For this one I don't Find any Datasource
    For this Structure How to Extract the Data
    3)
    For the 3rd Report
    in this Report all Fields are belonging to a Table BSEG
    BSEG  is a Cluster Table
    For this one also I can't Find any Datasource,
    I find very Few Objects in the Datasource.
    For this One, How to Extract the Data.
    Please provide me step by step procedure.
    Thanks
    Priya

    Hi sachin,
    I don't get your point can you Explain me Briefly.
    I have two Fields for the 1st Report
    BUKRS
    BUTXT
    In the 2nd Report
    KOSTL
    KLTXT
    If I use  0COSTCENTER_TEXT   Data Source
    I will get KOSTL Field only
    what about KLTXT
    Thanks
    Priya

  • How to extract Inventory data from SAP R/3  system

    Hi friends How to extract Inventory data from SAP R/3  system? What are report we may expect from the Inventory?

    Hi,
    Inventory management
    https://www.sdn.sap.com/irj/servlet/prt/portal/prtroot/com.sap.km.cm.docs/documents/a1-8-4/how%20to%20handle%20inventory%20management%20scenarios.pdf
    How to Handle Inventory Management Scenarios in BW (NW2004)
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/f83be790-0201-0010-4fb0-98bd7c01e328
    Loading of Cube
    •• ref.to page 18 in "Upgrade and Migration Aspects for BI in SAP NetWeaver 2004s" paper
    http://www.sapfinug.fi/downloads/2007/bi02/BI_upgrade_migration.pdf
    Non-Cumulative Values / Stock Handling
    https://www.sdn.sap.com/irj/sdn/go/portal/prtroot/docs/library/uuid/93ed1695-0501-0010-b7a9-d4cc4ef26d31
    Non-Cumulatives
    http://help.sap.com/saphelp_nw2004s/helpdata/en/8f/da1640dc88e769e10000000a155106/frameset.htm
    http://help.sap.com/saphelp_nw2004s/helpdata/en/80/1a62ebe07211d2acb80000e829fbfe/frameset.htm
    http://help.sap.com/saphelp_nw2004s/helpdata/en/80/1a62f8e07211d2acb80000e829fbfe/frameset.htm
    Here you will find all the Inventory Management BI Contents:
    http://help.sap.com/saphelp_nw70/helpdata/en/fb/64073c52619459e10000000a114084/frameset.htm
    2LIS_03_BX- Initial Stock/Material stock
    2LIS_03_BF - Material movements
    2LIS_03_UM - Revaluations/Find the price of the stock
    The first DataSource (2LIS_03_BX) is used to extract an opening stock balance on a
    detailed level (material, plant, storage location and so on). At this moment, the opening
    stock is the operative stock in the source system. "At this moment" is the point in time at
    which the statistical setup ran for DataSource 2LIS_03_BX. (This is because no
    documents are to be posted during this run and so the stock does not change during this
    run, as we will see below). It is not possible to choose a key date freely.
    The second DataSource (2LIS_03_BF) is used to extract the material movements into
    the BW system. This DataSource provides the data as material documents (MCMSEG
    structure).
    The third of the above DataSources (2LIS_03_UM) contains data from valuated
    revaluations in Financial Accounting (document BSEG). This data is required to update
    valuated stock changes for the calculated stock balance in the BW. This information is
    not required in many situations as it is often only the quantities that are of importance.
    This DataSource only describes financial accounting processes, not logistical ones. In
    other words, only the stock value is changed here, no changes are made to the
    quantities. Everything that is subsequently mentioned here about the upload sequence
    and compression regarding DataSource 2LIS_03_BF also applies to this DataSource.
    This means a detailed description is not required for the revaluation DataSource.
    http://help.sap.com/saphelp_bw32/helpdata/en/05/c69480c357354a8846cc61f7b6e085/content.htm
    http://help.sap.com/saphelp_bw33/helpdata/en/ed/16c29a27db6e4d81a015be8673eb80/content.htm
    These are the standard data sources used for Inventory extraction.
    Hope this helps.
    Thanks,
    JituK

  • How to extract the column width in ALv report if its executed in background

    I am executing an ALV report in background , in front end i am getting data properly, in back end for some columns some of the digits are missing.For example if PO no is of 10 digits it will display only 8 becos column size is like that , how to extract coulmns in back ground.
    I have executed in background and checked the spool and  for some of the columns width is not sufficient to display comeplete data so please suggest how to extract the columns sizes if executed inj background for an ALV

    Hi Deepthi,
    you can try with the above mentioned suggestions ,if its worked its fine ,
    If not use Docking container instead of custom container, For ALV in back ground jobs, its suggest to use docking container instead of custom container , below you can find the declaration for docking container and code to use docking and custom container in your program for fore and back ground.
    or you can use docking container alone for both operations.
    Data : G_DOCK1 TYPE REF TO CL_GUI_DOCKING_CONTAINER,
    IF CCON IS INITIAL. (ccon is container name )
    *Check whether the program is run in batch or foreground
        IF CL_GUI_ALV_GRID=>OFFLINE( ) IS INITIAL.
    *Run in foreground
          CREATE OBJECT CCON
            EXPORTING
              CONTAINER_NAME = 'CON1'.
        CREATE OBJECT GRID1
            EXPORTING
              I_PARENT = parent_1.
    ELSE.
    *Run in background
          CREATE OBJECT GRID1
            EXPORTING
              I_PARENT = G_DOCK1.
        ENDIF.
      ENDIF.
    B&R,
    Saravana.S

  • How to extract data from planning book

    nu t apo. need help regarding how to extract data from planning book givn the planning book name , view name & some key figures.
    Total Demand (Key Figure DMDTO):
    o     Forecast
    o     Sales Order
    o     Distribution Demand (Planned)
    o     Distribution Demand (Confirmed)
    o     Distribution Demand (TLB-Confirmed)
    o     Dependent Demand
    Total Receipts (Key Figure RECTO):
    o     Distribution Receipt (Planned)
    o     Distribution Receipt (Confirmed)
    o     Distribution Receipt (TLB-Confirmed)
    o     In-Transit
    o     Production (Planned)
    o     Production (Confirmed)
    o     Manufacture of Co-Products
    Stock on Hand (Key Figure STOCK):
    o     Stock on Hand (Excluding Blocked stock)
    o     Stock on Hand (Including Blocked stock)
    In-Transit Inventory (Cross-company stock transfers)
    Work-in-progress (Planned orders / Process orders with start date in one period and finish date in another period)
    Production (Planned), Production (Confirmed) and Distribution Receipt elements need to be converted based on Goods Receipt date for projected inventory calculation.

    Hello Debadrita,
    Function Module BAPI_PBSRVAPS_GETDETAIL2 or BAPI_PBSRVAPS_GETDETAIL can help you.
    For BAPI BAPI_PBSRVAPS_GETDETAIL, the parameters are:
    1) PLANNINGBOOK - the name of your planning book
    2) DATA_VIEW - name of your data view
    3) KEY_FIGURE_SELECTION - list of key figures you want to read
    4)  SELECTION - selection parameters which describe the attributes of the data you want to read (e.g. the category or brand). This is basically a list of characteristics and characteristic values.
    BAPI_PBSRVAPS_GETDETAIL2 is very similar to BAPI_PBSRVAPS_GETDETAI but is only available from SCM 4.1 onwards.
    For the complete list of parameters, you can go to transaction SE37, enter the function module names above and check out the documentation.
    Please post again if you have questions.
    Hope this helps.

Maybe you are looking for

  • How to create objects in ABAP Webdynpro?

    Hi, I want to create the object for the class: <b>CL_GUI_FRONTEND_SERVICES.</b> then i want to call file_save_dialog method. how shoud i write the code, plz?

  • Trying to choose the most "future friendly" video export codec for my produ

    hi, I am prepping to deliver the video of a concert film I did to a museum where it will be added to a time capsule. I dont think its the type that has a definite date for re-opening, but it could be 10 yrs. The original footage was shot 10 yrs ago o

  • Song corruption on 4G iPod (clickwheel)

    So, I've read through the forums and found that this issue is becoming more and more prevalent. The problem being that songs can become truncated for no reason. Just last night I was listening to a new album and then this morning a song from that alb

  • Incorrect display of "code"-blocks in my favourite forum

    Frequently I visit the Parallax-Forum about the propeller chip. In these threats often there are examples in windows called "Code". Text in these code blocks are not readable. In IE all is correct. URL: http://forums.parallax.com/showthread.php?14116

  • Images that do not line up

    First, if this has been covered in another post my apologies but as always I am in a time crunch and do not have the time to search. My problem has to do with images that line up in layout view of DWcs5 but when I engage "live view" they shift. The f