Pause slide vs. TOC progress status

Hi again,
this project gives me hell! I almost finished but there is some ****... trouble again :-/
Whole project is just demo of set-up and some basics for MS Outlook.
For navigation im using only TOC. Progressbar below is included in SWF animation on each slide. (its not project progressbar).
Problem is that project continues to next slide afrer video(animation) ends. But i need it to stop after viewing whole video.
So i placed some transparent click box in slides with "no action" option and that solved my problem with project continuity,
unfortunately progress status in TOC isn´t working now because of that click box.
I would be grateful for some advice.
Thanks
Martin

Hello,
How is the Success Action for your Click box? Is it set to Continue so that the whole timeline of each slide is played?
Another possibility is acquiring the TickTOC widget of InfoSemantics.
Lilybiri

Similar Messages

  • Music sound gets low while earphones are plugged in.  To fix it I have to slide the music progress bar.

    When listening to music with any pair of headphones or earphones plugged in, all of a sudden the volume will get really low for no reason.  Example: say the volume is at 15.  All of a sudden the volume will drop to like a 4, but the volume slider is still positioned at 15.  To fix it, I have to open the music app or control panel, and slide the song progress bar around and then the volume returns to normal.
    This is not an issue with the headphones.  I tried twisting and jiggling the jack and there were no changes.  Not even static.  The issue happens with the aux cable in my car as well.  It's also not an issue with the songs.  These are the same songs I was playing yesterday and they are all perfectly fine.
    Right now this is happening on my iPhone 5s with the most recent iOS8 update.  I've also had the update for awhile and this has only started less than a day ago.

    It sounds like dirt in the headphone jack. I would use a vacuum cleaner to "suck" out any dirt that might be in there. You might also want to look carefully and see if anything in lodged in there.

  • LCM import of Planning Application Hangs with "In Progress Status"

    Hi,
    LCM import of Planning Application Hangs with "In Progress Status" . its already couple of hours. Earlier it was always within 10 mins.
    Any advise is appreciated.
    Regards,
    Vineet

    It is probably worth trying again, may be useful to first bounce the services.
    If it happens again after bouncing the services then investigate at what staging it is getting stuck at.
    Cheers
    John
    http://john-goodwin.blogspot.com/

  • JApplet / application init / start progress status feedback

    We used to put up a separate JFrame during the initization/startup of our applets/applications for status messages. While o.k. for Java Webstart / application modes (& maybe standalone applet mode), this was not pretty for customers embedding our apps in portals.
    So, the goal became to show custom progress/status on the "gray screen" initial applet contentpane until our app desktop is ready to show. Known threading / painting issues during applet startup made this task somewhat non-trival.
    Searched around here on the jdc & found a nice little Moving Ball class & used that as a base for the play app below. Thought I'd post this back to jdc in case anyone else finds it useful. The JApplet code has a main, so same code should work for the app whether deployed as a (plug-in) applet, application JAR or Web Start app.
    The code should show a RED moving ball during init, a YELLOW one during start and a GREEN one after start method is done (w/ball x position update in scrolling pane)....
    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.WindowListener;
    import java.awt.event.WindowAdapter;
    import java.awt.event.WindowEvent;
        cforster: Uses Ball painting code (from jdc) & separate status area to simulate JApplet
        startup msgs to be shown to user during applet init...
        Point is to show status during applet/application initialization (init / start) methods...
        Can JAR this up & try in appletviewer or using 1.4.2+ plugin, etc.
        With main() also usable in application / Webstart mode....
        If going the application route (or double-click JAR route), need JAR manifest.mf like:
        Manifest-Version: 1.0
        Main-Class: Today
        Created-By: 1.4.2 (Sun Microsystems Inc.)
    public class Today extends JApplet {
        private static Today inst;
        //  Ball color will change from RED (init) -> YELLOW (start) -> RED (start done)
        Color ballColor = Color.RED;
        final int colorSleep = 3000;    // Time to waste in init & start methods
        final int pauseSleep = 25;      // Time between Ball moves/draws
        JTextArea jta = new JTextArea("===  Status  ===" + "\n", 50, 132);
        MovingBall movingBall = new MovingBall(jta);
        public static Today getInstance() {
            if (inst == null) inst = new Today();
            return inst;
        public Today() {
            super();
        public void init() {
            setVisible(true);
            getContentPane().setLayout(new BoxLayout(getContentPane(), BoxLayout.Y_AXIS));
            movingBall.setPreferredSize(new Dimension(400, 100));
            movingBall.setBackground(Color.lightGray);
            getContentPane().add(movingBall);
            jta.setEditable(false);
            jta.setBackground(Color.lightGray);
            getContentPane().add(new JScrollPane(jta));
            movingBall.start();
            validate();
            try {
                Thread.sleep(colorSleep);
            catch (InterruptedException ie) {      }
        public void start() {
            ballColor = Color.YELLOW;
            validate();
            try {
                Thread.sleep(colorSleep);
            catch (InterruptedException ie) {       }
            ballColor = Color.GREEN;
        public void stop() {
            movingBall.stop();
        public static void main(String args[]) {
            final Today CallingApplet = Today.getInstance();
            JFrame frame = new JFrame("Moving Ball / Load status");
            frame.getContentPane().setLayout(new BorderLayout());
            frame.getContentPane().add("Center", CallingApplet);
            // Use an adapter to close the window
            WindowListener listener = new WindowAdapter() {
                public void windowClosing(WindowEvent e) {
                    System.exit(0);
            frame.addWindowListener(listener);
            frame.setBackground(Color.lightGray);
            frame.pack();
            frame.setSize(400, 400);
            frame.show();
            CallingApplet.init();
            CallingApplet.start();
        class MovingBall extends JPanel implements Runnable {
            final int xPos_Start = 8;
            int xPos = xPos_Start, yPos = 100, rad = 10;
            boolean moveForward = true;
            Thread thread;
            Graphics dbg;
            Image dblImage;
            JTextArea jta = null;
            MovingBall ball = this;
            // Takes in JTestArea that is supposed to be the status msg area...
            // In practice, the staus area & updates are elsewhere...
            public MovingBall(JTextArea jta) {
                this.jta = jta;
            public void start() {
                Thread ballThread = new Thread(this);
                ballThread.start();
            public void run() {
                Thread.currentThread().setPriority(Thread.MIN_PRIORITY);
                yPos = getHeight() / 2 + (rad / 2) + rad;
                while (true) {
                    if (moveForward)
                        xPos++;
                    else
                        xPos--;
                    if (xPos > getWidth() - (2 * rad))
                        moveForward = false;
                    else if (xPos < xPos_Start + (2 * rad)) moveForward = true;
                    SwingUtilities.invokeLater(new Runnable() {
                        public void run() {
                            if (xPos % 20 == 0) {
                                jta.append("xPos = " + xPos + "\n");
                                jta.setCaretPosition(jta.getText().length());
                            ball.paintImmediately(ball.getBounds());
                    try {
                        Thread.sleep(pauseSleep);
                    catch (InterruptedException ie) {
                        break;
            public synchronized void stop() {
                thread = null;
    /*  Not needed for Swing Component (only AWT ?)
              public void update(Graphics g)
                   if(dblImage == null)
                        dblImage = createImage(this.getSize().width, this.getSize().height);
                        dbg = dblImage.getGraphics();
                   dbg.setColor(getBackground());
                   dbg.fillRect(0, 0, this.getSize().width, this.getSize().height);
                   dbg.setColor(getForeground());
                   paintComponent(dbg);
                   g.drawImage(dblImage, 0, 0, this);
            public void paintComponent(Graphics g) {
                g.setColor(getBackground());
                g.fillRect(0, 0, getWidth(), getHeight());
                g.setColor(ballColor);
                g.fillOval(xPos - rad, yPos - rad, 2 * rad, 2 * rad);
    }If anyone plays with this & finds issues/problems or makes improvements to its mechanism, would be nice to post back to this thread.

    hello,
    I found that while configuration of AM there was an warning
    Command deploy executed successfully with following warning messages: Error occurred during application loading phase. The application will not run properly. Please fix your application and redeploy.
    WARNING: com.sun.enterprise.deployment.backend.IASDeploymentException: ContainerBase.addChild: start: LifecycleException:  java.lang.NoClassDefFoundError
    Successfully deployed /amserverthis might help in resolving the issue.
    regards,
    sumant

  • Hi Im using os 10.7.5 and i can't see the progress status in the launch pad and in purchase tab in mac app store. PLEASSSSSEEEE HELP!

    Hi Im using os 10.7.5 and i can't see the progress status in the launch pad and in purchase tab in mac app store. PLEASSSSSEEEE HELP!

    HI guys! can anyone help me with this?!?

  • When i approuve a transport request, it stays in progress status

    Hello,
    even if i input approval steps and i approuve it after, they are still in progress status, they don't desappear from QA worklist.
    ho to do to resolve this situation ?
    Thank's a lot

    Hello,
    Is this a workflow question? Are you using workflows for transports?
    If yes, check the workflow log, eg via SWIA, to see what the problem is.
    If no, maybe you could ask in a different SDN forum.
    regards
    Rick Bakker
    Hanabi Technology

  • Progress  status setting in PPM

    Hi Experts,
    Can the default settings of number of days in  Progress Status  be set globally?
    Path to Progress Status Settings:
    PPM --> Target to Date --> More --> Options
    Current default settings = 7, 50, 90 days
    Desired default settings = 30, 60, 90
    Please advise on this.
    Thanks & Regards,
    Gautam

    very simple..we can set it through web ui directly. It is set globally for all the users regardless of organisation.

  • Disabling progress status window permanently

    Is it possible to permanently disable the square progress status window that appears when I convert documents to PDF files?

    I just canceled out of one yesterday afternoon running under LV 8.2 with no issue. If you are removing the old data, did you shutdown the app using the DB?
    If that doesn't help the only answer I know of sounds like I am being a wise-arse.
    Post an zip that demonstates this issue then "take two upgrades and post back next year."
    I don't mind locked VI if they work. When they don't I have no choice but to be frutstrated. The lock-down tie-up with Shared variables combined with what appears to be poor testing (historical trends recall funtion swapped start and stop times because developer did not use type defs, intermittant lock-ups of the DB on multiple machines with absolutley no tools to troubleshoot, ... ) has resulted in me NOT recomending DSC for an app for a couple of years now. The only reason I still touch it is I have apps running DSC for ten years and they have to keep running.
    Sorry to dump on you. If we ever meet we can discuss who is more disappointed.
    Ben
    (Former Top Contributor to the DSC forum)
    Ben Rayner
    I am currently active on.. MainStream Preppers
    Rayner's Ridge is under construction

  • Write-Progress -Status span mulitple lines

    Is it possible for Write-Progress -Status to span multiple lines? The status is showing the file being copied and to the location it is being copied to, which can get very long and runs off the console window. I have tried adding `r`n but that doesn't
    work, so I am thinking it is a no, but figured I would ask.
    If you find that my post has answered your question, please mark it as the answer. If you find my post to be helpful in anyway, please click vote as helpful.
    Don't Retire Technet

    The progress bar in Write-Progress is based on the width buffer size of the console window. If the width buffer is greater than the actual console window width, then it will spill off of the console.
    There is no way to my knowledge to make this span multiple lines other than to write your own type of progress bar or to make a proxy function for Write-Progress.
    Boe Prox
    Blog |
    Twitter
    PoshWSUS |
    PoshPAIG | PoshChat |
    PoshEventUI
    PowerShell Deep Dives Book

  • Getting the TOC progress indicator w/o displaying the TOC?

    Hi,
    I want to display the progress indicator (that is, the 00:30 / 06:00 Minutes widget that comes with the TOC) in my Captivate output, but I do not want the TOC. Is there any way to display this type of progress indicator without the TOC (in Captivate 4 or 5)?
    Thanks!

    Abhishek,
    The goods movement will not be allowed without system status release.
    But with user status you can block goods movement even if the system status is "Released".
    Regards
    Kannan G

  • Paused Slide continues when I click anywhere on the slide -- why? (CP5)

    Hi -- at the end of the CBT I am creating I present some challenge questions.  I am not using the Quiz feature as I do not need to capture the students answers.
    I added a blank slide with an image with roll-over captions.  I added a "Continue" button so they can go to the next page after they are done reviewing the image.
    Everything works fine, the slide pauses so they have time to mouse-over the image, and the continue button takes them to the next page when clicked.
    The weird thing is that it also goes to the next page when I click anywhere on the screen.  This only happens on these three slides, the rest of my movie does not progress when you click on the background.
    For the slide, I have it set to On Enter=Continue and On Exit=No Action, Display Time=3 seconds
    For the Continue button, I have it set On Success=Go to the next slide, Attempts=1, Last Attempt=Go to the next slide, Pause After=1.1 sec
    Does anyone know why when I click on the slide it goes to the next slide?  I want the slide to pause until only the Button is clicked.
    Thanks!

    Your Continue button is currently set up so that if the learner does not click the button a Last Attempt action will be used.  By default this will be Continue.  So although you only wanted the user to go to the next slide if they clicked the button, by setting attempts to only 1, you've told Captivate that any click outside the button should invoke the failure action for that button, which will be to Continue to the next slide.
    Try setting your button to infinite attempts.  This disables the failure action.

  • Captivate TOC edit status flags

    With Captivate 8, the status of a question that is not answered is still marked as viewed. I would need to know if there is a way to edit how those status flags work. If not, can I create my own TOC to set status flag as I prefer?
    I would like to have a TOC to flag all slides not viewed with a red flag and then remove the flag after they viewed or answered the question. If that's not possible at least to show which questions were answered with a checkmark, not viewed.

    Hi Again,
    I just looked at your link and don't think that will help.
    The course is actually a 110 random question course. It requires free navigation to go forward and backward and should show which questions were not answered.  It's not based on chapters.
    Thanks again!
    Laura

  • Dbca command is in progress status ,while installing 9i oracle

    Hi All can you please help .............
    i have sparc ultra 80 machine with solaris 9 , i copied the oracle software 9.i , and tried to install the oracle software through runInistaller , every thing is fine ,
    But the issue is once executing the DBCA command to create the Database -- status is progress only for long time -about 10 hours --o i killed the process .......
    Any body can suggest please ........
    any document is available for installation ..
    Thanks in advance .........
    Vijayakumar.......

    [Using the Database Configuration Assistant (DBCA) to Create a Database|http://www.oracle.com/technology/obe/2day_dba/install/install.htm#t2]

  • How to terminate guest vm with in progress status in oem 11g

    in grid control 11g -->virtual central show:
    name type status
    ovm_build1     Guest VM     Editing
    guest :gvm11 status is alway "Editing".
    but in fact gvm22 status is Runing.
    virsh # list
    Id Name State
    0 Domain-0 running
    3 52_OVM_BUILD1 blocked
    because it is in progress in grid control 11g,we can't do anything, pls help me to correct or terminate.
    for exaple :stop guest vm ,it report the following:

    In OVM Manager there is a "reset" action that the new status is read from the OVS server.
    I don't know how this looks like in EM Manager, but there should be a similar action.
    Sebastian

  • Accordian interaction pauses slide.  Any way around this?

    Hi,
    I've made a slide that include an audio intro ("click each heading to learn more.")  When I add the accordian widget to the page, the slide is automatically paused and the audio doesn't play.  I worked around this by having the widget appear AFTER the audio plays.  The widget is set to display for 1 second.
    But I also have the playbar enabled.  When a user clicks the play button in the player, the slide advances for the 1 second of the widget and then stops.  User has to click play in the playbar again to advance the slide.
    Any ideas on how to work around this?  I'd like to have the widget NOT pause the slide.
    Thanks in advance for any info.
    Sherri

    Here's my timeline.  I have a click box, over a button.  This shows up after the audio.  If user clicks it, the presentation goes to the next slide.  This is not the issue.
    The issue is when the user clicks Play in the playbar at the bottom (see below).  When they click "play," the slide advances for the duration of the widget (1 second).  They have to hit play again to go to the next slide.

Maybe you are looking for

  • Please help...I can't solve this web services error (ConfigException)

    Hi I've got the following error when I try to build document-oriented web services [clientgen] Generating client jar for WLWSSEApp.ear(SimpleService) ... [clientgen] weblogic.webservice.server.ConfigException: Could not add parameter to operation. Yo

  • How to change pdf metadata - creation date

    I have a number of old documents that have been scanned and converted to pdf's. I would like to change the metadata in each of these to reflect the documents ORIGINAL creation date on paper (not the scan date). Is there any simple tool to do this? (E

  • Yahoo added to tool bar and is blocking firefox

    Since yesterday, Yahoo has taken over ALL my searches once I am on the internet. It has replaced the Google search box on my task bar. I tried to find the application via the yahoo directions..ie, checking through the programs within my control panel

  • Resource property is empty in Room mailbox , where Room was added as Resources with other Rooms

    HI , I am trying to read Resource property using delegate account having calendar Delegate access ,  i am able to access these on different servers (Exchange  2007_sp1 & Exchange 2010 sp1) on QA server its comming as empty . Code i am using is as fol

  • Error setting property in bean of type null

    Hi i have jsf page and input text a managed bean with property sum of type float i attached this property to the input text: <h:inputText id="adr" value="#{userBean.sum}"/> but when enter a value and submit the page it prints me error in the page: Er