Dynamic display of frames

I want to display a repeating frame only when a certain action takes place, like cliking on a link / button. It has be to hidden if the user again cliks on it.
There used to be a Button interface in reports which would solve my purpose, but i found that the button is not being supported from 9i. What other object is available in 9i which replaces the button.

Hi,
Try this code. It will create search help for select option VBELN.
DATA lo_interfacecontroller TYPE REF TO iwci_wdr_select_options .
lo_interfacecontroller = wd_this->wd_cpifc_select_options( ).
DATA lo_r_helper_class TYPE REF TO if_wd_select_options.
lo_r_helper_class = lo_interfacecontroller->init_selection_screen( ).
Creating range table
DATA lt_range TYPE REF TO data.
CALL METHOD lo_r_helper_class->create_range_table
EXPORTING
i_typename = ''PERNR_D'
RECEIVING
rt_range_table = lt_range.
Disabling the global options
CALL METHOD lo_r_helper_class->set_global_options
EXPORTING
i_display_btn_cancel = abap_false
i_display_btn_check = abap_false
i_display_btn_reset = abap_false
i_display_btn_execute = abap_false.
Adding the selection field
CALL METHOD lo_r_helper_class->add_selection_field
EXPORTING
i_id = 'PERNR_D'
I_OBLIGATORY = ABAP_TRUE
i_value_help_type = if_wd_value_help_handler=>CO_PREFIX_SEARCHHELP
I_VALUE_HELP_ID = 'PREM'
it_result = lt_range.
Check this artcle for more details which uses VBELN as select option with search help.
http://www.sdn.sap.com/irj/scn/index?rid=/library/uuid/103e43d5-fdb8-2d10-90ab-b5e8532cbc04

Similar Messages

  • How to display Two frames in HTML....

    Hi,
    Can someone please advice me on how to display two frams on one page without using FrameSet...
    Thanks,

    Hi,
    Thank you for your reply...
    I already have something that i did in Applet but i don't want to use Applet....
    The problem with frameset is that i will be adding documents Types Dynamically in HTML List and after clicking the Document Type I want to display Image depending on what Document Type is clicked...
    Both the DOCUMENT TYPE and IMAGE, I want to create DYnamically. I don't want to create Two HTML Files (one for Image and One for LIST) and then open it from Another HTML Which contains FrameSets...
    I hope you get my point....
    Is there any other ways i can do this....
    Any help will be greatly appreciated...

  • Double clicking on an Icon to display a frame....

    Hi! I have an icon whereby when double clicked on should display a frame. To display the icon, I have it as an ImageIcon placed on a label, which works fine. But my problem now is what kind of listener can I add to this label, if any that will cause this frame to be displayed? OR if you have an idea of going about or around this, I'll really appreciate it!! Thanks a lot in advance!!
    Cheers,
    Bolo

    Thanks a lot again Radish! It worked fine. I got another question, which I hope you'll be willing to answer. Hope I'm not being a pain in the butt?
    After the user double clicks on an icon to display a window(step by step wizard), the panel on the frame contains "back" and "next" buttons. And of course the button on the last panel will say finish instead of next. All of this is working fine. My problem is that whenever I re-launch the wizard, it displays the last panel which contains the finish button instead of the first panel. Do you have any ideas of how I can fix this? Thanks a lot in advance!!
    Cheers,
    Bolo

  • How to display a frame at the upper left corner of each screen?

    hi,
    below are 2 ways to display a frame at the upper left corner of each screen (i have 2 monitors).
    both work but the 2nd way is much slower. which, if any, of the 2 approaches is "more" correct?
    import java.awt.Canvas;
    import java.awt.Color;
    import java.awt.Dimension;
    import java.awt.DisplayMode;
    import java.awt.event.MouseListener;
    import java.awt.event.MouseEvent;
    import java.awt.event.MouseAdapter;
    import java.awt.GraphicsConfiguration;
    import java.awt.GraphicsDevice;
    import java.awt.GraphicsEnvironment;
    import java.awt.Point;
    import java.awt.Rectangle;
    import java.awt.Toolkit;
    import javax.swing.JFrame;
    import javax.swing.JPanel;
    // the thing that matters in here is setting the frame's location: xCoord
    // is incremented in each iteration by the current screen's width and
    // is used to set the frame's x-coordinate.
    public static void main(String args[])
          GraphicsEnvironment gEnviron = GraphicsEnvironment.getLocalGraphicsEnvironment();
          GraphicsDevice[]    gDevices = gEnviron.getScreenDevices();
          Color colors[] = {Color.blue, Color.red};
          for(int i = 0, xCoord = 0; i < gDevices.length; i++)
             // set panel's size and frame's size to take up the whole screen
             DisplayMode didsplayMode = gDevices.getDisplayMode();
    int screenWidth = didsplayMode.getWidth();
    int screenHeight = didsplayMode.getHeight();
    JPanel panel = new JPanel();
    panel.setBackground(colors[i % colors.length]);
    JFrame frame = new JFrame();
    frame.setSize(new Dimension(screenWidth, screenHeight));
    frame.setContentPane(panel);
    frame.setUndecorated(true);
    // set location of frame.
    frame.setLocation(xCoord, 0);
    xCoord += screenWidth;
    frame.addMouseListener
    new MouseAdapter()
    public void mousePressed(MouseEvent event) {System.exit(1);}
    frame.setVisible(true);
    // this is a lot slower and may not be correct: it sets the frame's location by calling
    // getConfigurations() on each screen device but using only the 1st configuration
    // (it returns 6 on my computer) to get the bounds (for the frame's x-coord).
    // a screen device has 1 or more configuration objects but do all the objects
    // of the device report the same bounds? if the anwser is yes, then the code
    // is correct, but i'm not sure.
    public static void main1(String args[])
    GraphicsEnvironment gEnviron = GraphicsEnvironment.getLocalGraphicsEnvironment();
    GraphicsDevice[] gDevices = gEnviron.getScreenDevices();
    Color colors[] = {Color.blue, Color.red};
    for(int i = 0; i < gDevices.length; i++)
    // set panel's size and frame's size to take up the whole screen
    DisplayMode didsplayMode = gDevices[i].getDisplayMode();
    int screenWidth = didsplayMode.getWidth();
    int screenHeight = didsplayMode.getHeight();
    JPanel panel = new JPanel();
    panel.setBackground(colors[i % colors.length]);
    JFrame frame = new JFrame();
    frame.setSize(new Dimension(screenWidth, screenHeight));
    frame.setContentPane(panel);
    frame.setUndecorated(true);
    // set location of frame: getConfigurations() is very time consuming
    GraphicsConfiguration[] gConfig = gDevices[i].getConfigurations();
    // on my computer: gConfig.length == 6. using the 1st from each set of configs
    Rectangle gConfigBounds = gConfig[0].getBounds();
    frame.setLocation(gConfigBounds.x, gConfigBounds.y);
    frame.addMouseListener
    new MouseAdapter()
    public void mousePressed(MouseEvent event) {System.exit(1);}
    frame.setVisible(true);
    thank you.                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                       

    Darryl.Burke wrote:
    Blocked one abusive post.
    @flounder
    Please watch your language.
    dbDude - I just looked at your profile. WTF are you doing in India??

  • Dynamically displaying a new region (row?) based on immediate user input

    Whew, figuring out a title was almost as hard as trying to explain what I want to do!
    Okay, a little background first.
    My app has 178 main data fields, spread across about 35 tables. The users want to be able to search any and all data fields. So, I wrote a PL/SQL package that for each master record, loops through all of the child tables and creates (more or less) an XML file for each master record (which I store in a CLOB field). When any data in any table is changed, a trigger fires to re-update that CLOB field as well. I then used Oracle Text to create an index on the CLOB field, and now the users can search across all of the available information for each master record and get a list of which records contained what they were looking for.
    So here's the first part of the problem. The app is a Mineral Occurence database for all mineral information world-wide. Say they enter "Brazil" as what they want to search for, they not only retreive all of the mineral sites in Brazil, but also all of the sites where one of the mining companies may be based in Brazil, or Brazil is one of the comments, etc. While this is the expected behaviour, it's still not quite what they expected (but they also don't want to get rid of this behaviour either).
    So, since the CLOB field is already formatted with XML-type tags, what I want to do is to have an Advanced Search page, where the user can specify the table name to search, or the field name, or both. What I'd like to do is at the end of each line, have a select list with an "AND" or "OR' box, and if that gets a value, then dynamically create another 'row' underneath the first row, with the same three 'boxes' (actually select lists), and continue on until the user has specified exactly what they want to search for.
    I would rather not have to create a whole bunch of regions or rows, and then determine at runtime whether or not to display them.
    So i would have (using underscores as the boxes/fields):
    Table to Search        Field to Search          And/Or
    ______________          _____________          _______Each of the above would be a select list.
    Anybody have ideas on how I can accomplish this? Any Javascript or AJAX-type solutions that a dummy like me can easily implement? I've seen something almost similar on Carl's example pages to Hide/Show a region(?), but understanding the underlying code and then modifying it for what I want to do is extremely complicated (for me) at best.
    Thanks.
    Bill Ferguson

    Well, after searching through the QBE results (even some of mine), the only thing that comes close is Earl's (http://htmldb.oracle.com/pls/otn/f?p=36337:14). Actually his layout is almost perfect and pretty identical to what I want/need. Vikas' example seems like what I've toyed with on some other pages in my app, using a simple UNION ALL with nulled fields in the select statement, which won't work for what I need, at least I can't seem to visualize how I could incorporate that same code logic.
    However, unlike Earl's, when/if the last column (which I'd have as the 'AND/OR' select list) is populated, I'd like to dynamically display another new row.
    Now I know I could do it by making the last column a 'Select List With Submit', but that would neccessitate my creating about 25 regions (to hopefully cover the max any of the users would ever need), and then conditionally display the region based on whether or not the previous 'AND/OR' condition field was populated. It would also require a whole slew of page refreshes, which is clunky.
    It seems like there should probably be a way with AJAX to accomplish something similar. I think I remember seeing something along these lines in the last year or so on here, but I can't find it.
    Something like a cross-breed of Earl's example page above mixed with Carl's example at http://htmldb.oracle.com/pls/otn/f?p=11933:39:4740898821262791902::NO:RP:: which would automatically fire on the poplulation of the last select list is probably the best I can accomplish, unless somebody has some better ideas on how to do this. Using Carl's htmldb_remix code, I can avoid all the submits and the resulting page refreshes, but the code itself will take an old dummy like me a while to figure out.
    Thanks for the ideas though.
    Bill Ferguson

  • Dynamic display name of the sender

    I have requirement like below:
    After creating and executing any Agent/iBOt in OBIEE 11g, the Display Name of the Sender in the From address of email delivered to recipients is showing as "Administrator".
    The user who is authenticated and authorized into the OBIEE also created an agent, he is asking that email should show his name in the From Address when it is delivered to the recipients.
    I know why this is happening, I have provided the Display Name of Sender as "Administrator" while configuring the Agents at the Enterprise Manager Level.
    What I am currently looking is, if there is any alternate solution to Dynamically display the name of the user who creates the Agent in the From address of the email when it is delivered to the recipients.
    Thanks in advance
    -Bharath

    Any body there with the answers !!

  • How to dynamically display .flv files in website

    I'm using a JSP for my interface.?? In the webpage, I want to pass a java variable, which holds the url to the video that was retrieved from the database, to the flash player script to dynamically determine which video to play.?? For example, this code in the page will play a movie successfully:
    <td><script type="text/javascript">
    AC_FL_RunContent( 'codebase','http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0','widt h','706','height','633','id','FLVPlayer','src','FLVPlayer_Progressive','flashvars','&MM_Co mponentVersion=1&skinName=Halo_Skin_3&streamName=movies/Video1_1&autoPlay=true&autoRewind= false','quality','high','scale','noscale','name','FLVPlayer','salign','lt','pluginspage',' http://www.adobe.com/shockwave/download/download.cgi?P1_Prod_Version=ShockwaveFlash','movi e','FLVPlayer_Progressive' ); //end AC code
    </script><noscript><object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase="http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0" width="706" height="633" id="FLVPlayer">
    ?????????????????????????????? <param name="movie" value="FLVPlayer_Progressive.swf" />
    ?????????????????????????????? <param name="salign" value="lt" />
    ?????????????????????????????? <param name="quality" value="high" />
    ?????????????????????????????? <param name="scale" value="noscale" />
    ?????????????????????????????? <param name="FlashVars" value="&MM_ComponentVersion=1&skinName=Halo_Skin_3&streamName=movies/Video1_1&autoPlay=tr ue&autoRewind=false" />
    ?????????????????????????????? <embed src="FLVPlayer_Progressive.swf" flashvars="&MM_ComponentVersion=1&skinName=Halo_Skin_3&streamName=movies/Video1_1&autoPla y=true&autoRewind=false" quality="high" scale="noscale" width="706" height="633" name="FLVPlayer" salign="LT" type="application/x-shockwave-flash" pluginspage="http://www.adobe.com/shockwave/download/download.cgi?P1_Prod_Version=ShockwaveFlash" />??????????????????????????
    </object></noscript></td>
    But this code will not play the movie successfully:
    <td><script type="text/javascript">
    AC_FL_RunContent( 'codebase','http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0','widt h','706','height','633','id','FLVPlayer','src','FLVPlayer_Progressive','flashvars','<%= flashVars %>','quality','high','scale','noscale','name','FLVPlayer','salign','lt','pluginspage','http://www.adobe.com/shockwave/download/download.cgi?P1_Prod_Version=ShockwaveFlash','movi e','FLVPlayer_Progressive' ); //end AC code
    </script><noscript><object classid="clsid:D27CDB6E-AE6D-11cf-96B8-444553540000" codebase="http://download.macromedia.com/pub/shockwave/cabs/flash/swflash.cab#version=8,0,0,0" width="706" height="633" id="FLVPlayer">
    ?????????????????????????????? <param name="movie" value="FLVPlayer_Progressive.swf" />
    ?????????????????????????????? <param name="salign" value="lt" />
    ?????????????????????????????? <param name="quality" value="high" />
    ?????????????????????????????? <param name="scale" value="noscale" />
    ?????????????????????????????? <param name="FlashVars" value="<%= flashVars %>" />
    ?????????????????????????????? <embed src="FLVPlayer_Progressive.swf" flashvars="<%= flashVars %>" quality="high" scale="noscale" width="706" height="633" name="FLVPlayer" salign="LT" type="application/x-shockwave-flash" pluginspage="http://www.adobe.com/shockwave/download/download.cgi?P1_Prod_Version=ShockwaveFlash" />??????????????????????????
    </object></noscript></td>
    The only difference in the two is that in the second, I use a java variable to set the flash Variables. The variable I use is <%= flashVars %>?? which is equal to: &MM_ComponentVersion=1&skinName=Halo_Skin_3&streamName=movies/Video2&autoPlay=false&autoRe wind=false
    When I view the resulting page source code after building and running the site, The source code is exactly the same for both of them yet one works and one doesn't.?? Any help would be greatly appreciated!

    I've been searching google all day to figure this one out.  I'm not simply trying to play a video, I can already do that... I'm retrieving the location of the video from the database and trying to pass it as an argument to the player, no different than if I was dynamically displaying an image or some text. For some reason I'm not able to do this.

  • Problem displaying 2 Frames

    So, I've got a little problem with the display.
    I've mage a GUI with a frame and all is ok.
    The main calls a methods which does a lot of things and after calls an other class which has to display a frame where I draw some lines thanks to paint.
    the problem is that in the second frame, the content of the first is shown and on the content there are my paints. Does anyone know how to solve this problem in order that in the second frame , there is just my paint. (Because in the second frame, we see just the content, the buttons and all the things aren't ok.... and if I change the size of the second frame, there are a lot of stange things with the display of this frame...)
    Thanks..
    Kanaweb

    So here is some parts of my code.
    My main class is UWB( )
    It's like that :
    package uwbrelease2;
    import javax.swing.UIManager;
    import java.awt.*;
    import java.util.*;
    public class Uwb
      //declaration d'une variable de test pour lancer cadre
      boolean packFrame = false;
      // debut du constructeur
      public Uwb()
        Frame1 frame = new Frame1();
        if (packFrame) {frame.pack();}
        else {frame.validate();}
        //Centrer la fen?tre
        Dimension screenSize = Toolkit.getDefaultToolkit().getScreenSize();
        Dimension frameSize = frame.getSize();
        if (frameSize.height > screenSize.height) {
          frameSize.height = screenSize.height;
        if (frameSize.width > screenSize.width) {
          frameSize.width = screenSize.width;
        frame.setLocation((screenSize.width - frameSize.width) / 2, (screenSize.height - frameSize.height) / 2);
        frame.setVisible(true);
      }  // fin du constructeur
      //m?thode principale
      public static void main(String[] args)
        try {UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());}
        catch (Exception e) { e.printStackTrace(); }
        new Uwb();
        Simulation simu = new Simulation();
        }//fin m?thode principale
    }//fin class uwb[\code]
    Here are some parts of Frame1( ) :[\b]
    package uwbrelease2;
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.border.*;
    import java.io.*;
    public class Frame1 extends JFrame {
      //Main UI panel
      JPanel contentPane;
      //Radio buttons that control the current panel
      JRadioButton Panel1Radio = new JRadioButton();
      JRadioButton Panel2Radio = new JRadioButton();
      JRadioButton Panel3Radio = new JRadioButton();
      ButtonGroup buttonGroup1 = new ButtonGroup();
      //Combo box and list of items that control the current panel
      Object[] dataObject = {"1 cm", "10 cm", "50 cm"};
      JComboBox jComboBox1 = new JComboBox(dataObject);
      //Card layout container panel
      JPanel jPanel1 = new JPanel();
      CardLayout cardLayout1 = new CardLayout();
      //Card layout panels and layouts
      JPanel jPanel2 = new JPanel();
      JPanel jPanel3 = new JPanel();
      JPanel jPanel4 = new JPanel();
      GridBagLayout gridBagLayout1_panel3 = new GridBagLayout();
      FlowLayout flowLayout1_panel4 = new FlowLayout();
      ..............................   and so on......
    [\code]
    Here is some part of simulation( ) :[\b]
    package uwbrelease2;
    import java.util.*;
    import java.awt.*;
    import java.io.*;
    public class Simulation
    //constructeur pour cr?er un objet Simulation
      public Simulation()
        try {
          doSimulation();
        catch (IOException ex) {
    public void doSimulation() throws IOException {
        ZoneGraphique zone=new ZoneGraphique(tabMur);
        //zone.validate();
        zone.show();
    where tabMur is an ArrayList .....[\b]
    [\code]
    [b]and finally here is ZoneGraphique ( ):[\b]
    package uwbrelease2;
    import javax.swing.*;
    import java.awt.*;
    import java.util.*;
    public class ZoneGraphique extends JFrame {
      public ArrayList tabMur;
      public ZoneGraphique(ArrayList tabMur1) {
        super("visualisation");
        tabMur = tabMur1;
        setSize(500,500);
        try {
          DoZoneGraphique zone = new DoZoneGraphique();
          getContentPane().add(zone);
        catch (Exception e) {
          e.printStackTrace();
    class DoZoneGraphique extends JPanel {
       public void paintComponent(Graphics comp){
         Graphics2D comp2D=(Graphics2D)comp;
       comp2D.setColor(Color.RED);
        comp2D.drawString("Floride",20,20);
       for (int j=0;j<=tabMur.size()-1;j++)
        Mur mur = (Mur)tabMur.get(j);
        comp2D.drawLine((int)mur.getAbs1(),(int)mur.getOrd1(),(int)mur.getAbs2(),(int)mur.getOrd2());
    [\code]
    So if you can help me, thanks .....[\b]

  • Initial view is black, want to display a frame

    When displaying a quicktime movie on a web site it always displays black before the movie starts. Is there a way to display a frame from the actual movie?
    I am aware of the set poster frame but it doesn't display when the movie is on a web site.

    hi Atish
    i am using
    loop at gt_sagadr_outtab into wa_sagadr_outtab
    move wa_sagadr_outtab-country to wa_sagadr_text+223(226).
    endloop
    in this last field ie country i need to display the last 226 as blank as only country key is two char in database so the last space is not shown
    i am not unsing the fM as tolb by  you
    and afterwards
    i am usning
    Concatenate 'Sagadr_' sy-datum sy-uzeit '.dat' into gv_filename_sagadr.
    CALL FUNCTION 'FILE_GET_NAME'
      EXPORTING
      CLIENT                        = SY-MANDT
        LOGICAL_FILENAME              = gc_lfile
        OPERATING_SYSTEM              = SY-OPSYS
        PARAMETER_1                   = gc_param1
        PARAMETER_2                   = gc_send
        PARAMETER_3                   = gv_filename_sagadr
      USE_PRESENTATION_SERVER       = ' '
      WITH_FILE_EXTENSION           = ' '
      USE_BUFFER                    = ' '
      ELEMINATE_BLANKS              = 'X'
      IMPORTING
      EMERGENCY_FLAG                =
      FILE_FORMAT                   =
        FILE_NAME                     =  gv_filepath_sagadr
    EXCEPTIONS
      FILE_NOT_FOUND                = 1
      OTHERS                        = 2
    IF SY-SUBRC <> 0.
    MESSAGE ID SY-MSGID TYPE SY-MSGTY NUMBER SY-MSGNO
             WITH SY-MSGV1 SY-MSGV2 SY-MSGV3 SY-MSGV4.
    ENDIF.
    and lastly
    open dataset gv_filepath_sagadr for output in text mode encoding default.
        if sy-subrc eq 0.
         loop at gt_sagadr_text into wa_sagadr_text.
         transfer wa_sagadr_text to gv_filepath_sagadr.
         endloop.
        endif.
       close dataset gv_filepath_sagadr.
        if sy-subrc = 0.
        message S002 with gv_filepath_sagadr. "Files & created on Application server
        endif.
    SO NOT SURE WHERE TO USE THE CODE AND HOW

  • Dynamic display of the Company Name based on Org

    Hello All,
    I need to dynamically display the Company name based on the Org_id and the ORG is not being populated in the XML data file. How do i achieve this,please let me know.
    Thanks
    Rakesh

    Rakesh,
    It's like getting something from nothing (data template)... If you do not want to modify your report, then Vetri's option will be fine(your going to add not modify)...
    Or,. define a new Oracle report based on the seeded one then do modify...
    regards,
    Rownald

  • How can i avoid displaying the frame

    Hi,
    I am creating a graphical chart called windrose in a frame. I am converting the figure generated into an image file from the frame and then this image file will be called by a servlet. I would like to know if there is anyway that I can avoid the window that displays the frame. If I set the setvisible as false, the image is not being created. Please let me know if anyone has dealt with it before.
    Thanks,
    Kiran Jangam
    [email protected]

    I believe you want to use Window rather than Frame.

  • Displaying Actual Frame number

    Hi,
    Is there a way to display the actual frame name or number from the filename of the image sequence in the video and removing it when exporting.
    Saurabh

    You have two options to display a frame number - you could change the sequence time settings to use frames by right-clicking the orange time display on the sequence panel (whatever you pick will affect the program monitor and timeline, you can set the source monitor by right-clicking its start time), or you could drop a Timecode effect on your video, set it to use frames and turn off the field dot (removing the effect before final export).
    If you're using the Timecode effect and your sequence has edits: add a new video track, create a new Transparent Video asset, place that in the track and apply the Timecode effect - then you can stretch it to fill the sequence.
    If you've trimmed your image sequence and want to see the absolute frame number rather than the sequence frame number, change the timecode effect selector to "Media".
    You can't directly display the filename of an image sequence. You could fake something with a combination of titles and a Timecode effect, but it wouldn't be automatic.

  • Dynamically displaying multi parameters values

    Hi,
    I'm newbie to this framework and I have successfully
    implemented some of the demos posted in this site. BTW, kudos to
    all who contributed all those demos.
    Well, I after trying most of the demos, I am trying to
    implemented .... dynamically displaying content from the xml file
    when users click on multiple choices. Let say, I have the check
    boxes for the following option:
    Subjects: [ ] Math [ ] Biology [ ] Computer Science and so
    on.
    So when the users click on these checkboxes, it will display
    books related to the selected subject/s.
    If anybody have implemented similar functionality, can you
    please give me an idea/suggestion? Any help will be appericated.
    Cheers,
    nj

    Hi all,
    I have been trying to implement "Multiple filter" (
    http://labs.adobe.com/technologies/spry/samples/data_region/MultipleFiltersModeSample.html )
    using more dymanic approach however, it is not working correctly.
    Here is my code .... can you plz give any suggestion handling this
    issue?
    <?xml version="1.0" encoding="utf-8"?>
    <books xmlns="
    http://www.books.com/books">
    <subjects>
    <list>Math</list>
    <list>Biology</list>
    <list>Economices</list>
    <list>English</list>
    <list>Physices</list>
    <list>History</list>
    </subjects>
    <book>
    <title>Intro to Biology</title>
    <subject>Biology</subject>
    <desc>Introduction to Human Biology</desc>
    </book>
    <book>
    <title>Intro to Geometry</title>
    <subject>Math</subject>
    <desc>Introduction to Elementry Geometry</desc>
    </book>
    <book>
    <title>Calculus I</title>
    <subject>Math</subject>
    <desc>Introduction to Elementry Calculus</desc>
    </book>
    <book>
    <title>Physices III</title>
    <subject>Physices</subject>
    <desc>Advanced physices, Newton's laws</desc>
    </book>
    <book>
    <title>19th Century Americam History</title>
    <subject>History</subject>
    <desc>Introduction to 19th century American
    History</desc>
    </book>
    <book>
    <title>Intro to Biology II</title>
    <subject>Biology</subject>
    <desc>Introduction to Human Biology</desc>
    </book>
    <book>
    <title>Intro to Biology III</title>
    <subject>Biology</subject>
    <desc>Introduction to Human Biology</desc>
    </book>
    <book>
    <title>Intro to Biology IV</title>
    <subject>Biology</subject>
    <desc>Introduction to Human Biology</desc>
    </book>
    </books>
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN"
    "DTD/xhtml1-strict.dtd">
    <html>
    <head>
    <title>Testing</title>
    <!--
    Spry Framework
    ***************************************************** -->
    <script type="text/javascript"
    src="js/spry/xpath.js"></script>
    <script type="text/javascript"
    src="js/spry/SpryData.js"></script>
    <script type="text/javascript"
    src="js/spry/SpryDataExtensions.js"></script>
    <script type="text/javascript">
    <!--
    var subjectname;
    var dsSubjectFilter = new
    Spry.Data.XMLDataSet("xml/books.xml", "/books/book", { subPaths:
    "subject" });
    var dsSubjectList = new
    Spry.Data.XMLDataSet("xml/books.xml", "books/subjects, {subPaths:
    "list", sortOnLoad: "list"});
    function filterParameter(ds, row, index){return (row.subject
    == subjectname)? row : null;};
    function ToggleFilter(enable, filterParameter, name) {
    //alert("name : " + name);
    subjectname=name;
    if(enable)
    dsSubjectFilter.addFilter(filterParameter, true);
    else
    dsSubjectFilter.removeFilter(filterParameter, true);
    dsSubjectFilter.setFilterMode("or", true);
    //-->
    </script>
    <!-- ***************** END of Spry
    *********************** -->
    </head>
    <body>
    <div spry:state="ready">
    <div spry:region="dsSubjectList">
    <form action="">
    <ul>
    <h4>Subject</h4>
    <li spry:repeat="dsSubjectList"> <input
    type="checkbox" value="" onclick="ToggleFilter(this.checked,
    filterParameter,
    '{dsSubjectList::list}');"/>{dsSubjectList::list}</li>
    </ul>
    </form>
    </div>
    <div spry:region="dsSubjectFilter">
    <p> Count = {dsMissionFilter::ds_RowCount}</p>
    <div spry:repeat="dsSubjectFilter">
    <h4>{dsSubjectFilter::ds_RowNumberPlus1}. {dsSubjectFilter::title}</h4>
    <p> {dsSubjectFilter::subject}</p>
    <p> {dsSubjectFilter::desc}</p>
    </div>
    </div>
    </div> <!-- *** END of spry:state="ready"
    *****-->
    </body>
    </html>
    Basically, firstly it creates the checkboxes with the diff
    subjects to select. Once we start selecting those subjects, it shld
    start displaying the related books with titles, subject and
    description. However, the "or" doesn't seems to work .... any
    suggestion will be appericated.
    Cheers,
    nj

  • Firefox cannot display a frame due to protection reasons? Why did this pop up?

    I have had Windows Live Hotmail open all day today, having it minimised in a tab. I switched back to the tab much later on during the day and I got a message which was something along the lines of "For security, Firefox has blocked this page from displaying a Frame" or something rather. I am not sure if this is because of a virus or??? What's a frame and why would I get this message all of a sudden?

    "Clear the Cache": Tools > Options > Advanced > Network > Offline Storage (Cache): "Clear Now"<br />
    "Remove the Cookies" from sites that cause problems: Tools > Options > Privacy > Cookies: "Show Cookies"<br />
    <br />
    Start Firefox in [[Safe Mode]] to check if one of your add-ons is causing your problem (switch to the DEFAULT theme: Tools > Add-ons > Themes).<br />
    See [[Troubleshooting extensions and themes]] and [[Troubleshooting plugins]]

  • Possible to DISPLAY DUPLICATE FRAMES in fce?

    I'm stepping back from fcp and wondered if there is the option to display duplicate frames...the option doesn't appear in the menu at the lower left of the timeline...does it maybe live somewhere else?
    Thanks.

    You can't. It's not a feature available in FCE.

Maybe you are looking for

  • [solved]black screen with xorg 1.6 after resume (intel)

    after upgrading to xorg-server 1.6 no matter if i use s2ram or s2disk, first resume works fine, the second suspend and resume results in a black screen without any chance to swich to any tty. i have read about bug like this which was resolved with us

  • Wrong production order connected to a sales order - how to change?

    Hello all! We are using ERP ECC6 - I now I'm in SCM but this has to do with PP and there was no other forum. I have following problem: After the MRP a production order was created for a sales order. Because of the production in another plant the prod

  • Sharepoint webpage take too long to request

    see the network record by browser: wait =< 1, start = 16, request = 61.667, response = < 1, gap = 2.12, this is for sharepoint 2010 public page with pagelayout on windows server 2012, but same page on windows 2008 server is faster, takes 5 secs, but

  • Can't unzip file

    My MacBookPro mysteriously compressed a folder on my computer.  I am not aware that I did anything to call for compression.  When I tried to open and unzip the file I get the error message "Unable to Expand 2012-04.zip into "Rally Sport Region" (Erro

  • Help: how to modify a setting for a running

    solaris 10 10/05 on sUN E3000 Q: how to modify the setting for a running zone. I want to add a lofs mount for /usr/local read/write. also I want to add access to cdrom so I use zonecfg to "add fs ", and stuff then commit. now what should I do to make