Slider addChangeListener - StateChange question

I'm having a hard time wording my problem, Please let me know if I don't make sense,
Below I have three snippets of code the first set of code works and achives what I want to do but I feel like it is redunedent.
The second set of code is what i have tried based off of what can be done with checkboxes and the third set of code actually uses the checkboxes to select the event source.
I feel like I am repeating my Slider Listeners over and over when I should be using a generic Listener which would have a statement inside it to compare where my selection came from. Is there a way to use event.getSource() method to compare which combobox was selected like the last piece of code below that uses checkboxes.
Snippet One
      //Start Slider Listeners
     //this is inside my constructor right now??
      sliderRed.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderRed.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());             
              displayRed.setText( String.valueOf( sliderRed.getValue() ) );
      sliderGreen.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderGreen.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());
              displayGreen.setText( String.valueOf( sliderGreen.getValue() ) );
      sliderBlue.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderBlue.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());             
              displayBlue.setText( String.valueOf( sliderBlue.getValue() ) );
      //Start Display Listeners
      displayRed = new JTextField( "0", 5 );
      displayRed.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayRed.getText() );
               if ( v < sliderRed.getMinimum() || v > sliderRed.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderRed.setValue( v );
      displayGreen = new JTextField( "0", 5 );
      displayGreen.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayGreen.getText() );
               if ( v < sliderGreen.getMinimum() || v > sliderGreen.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderGreen.setValue( v );
      displayBlue = new JTextField( "0", 5 );
      displayBlue.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayBlue.getText() );
               if ( v < sliderBlue.getMinimum() || v > sliderBlue.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderBlue.setValue( v );
      //            End Display Listeners
      //********************************************Snippet Two
      ComboBoxHandler handler = new ComboBoxHandler();
      shapeJComboBox.addItemListener( handler );
  public ComboBoxHandler implements ItemListener
    public void itemStateChanged(ItemEvent e)
  }Snippet 3
   // private inner class for ItemListener event handling
   private class CheckBoxHandler implements ItemListener
      private int valBold = Font.PLAIN; // controls bold font style
      private int valItalic = Font.PLAIN; // controls italic font style
      // respond to checkbox events
      public void itemStateChanged( ItemEvent event )
         // process bold checkbox events
         if ( event.getSource() == boldJCheckBox )
            valBold =
               boldJCheckBox.isSelected() ? Font.BOLD : Font.PLAIN;
         // process italic checkbox events
         if ( event.getSource() == italicJCheckBox )
            valItalic =
               italicJCheckBox.isSelected() ? Font.ITALIC : Font.PLAIN;
         // set text field font
         textField.setFont(
            new Font( "Serif", valBold + valItalic, 14 ) );
      } // end method itemStateChanged
   } // end private inner class CheckBoxHandler

camickr Thanks for the tip about SSCCE
I am building a drawing program in this code I have a drawstring where shape objects would be. In the program I am running I have a JFrame just like this which places three panels at the north center and south, when you change the slider bars the text color changes which is what I want it to do, I just want to know if I'm wasting space and or memory by repeating the slider and display listeners. Are there shorter ways to code this? ie. the listeners
import javax.swing.*;
import javax.swing.event.*;
import java.awt.*;
import java.awt.event.*;
import java.awt.Color;
public class RGBSlider extends JFrame {  
   private DrawCanvas canvas;
   private OvalPanel oval;
   private JCheckBox fillCheck;
   private JComboBox selectShapes;
   //shows user the color value of slider
   private JTextField displayRed, displayGreen, displayBlue;  
   //Slider Labels
   private JLabel labelRed, labelGreen, labelBlue;  
   //Sliders
   private JSlider sliderRed, sliderGreen, sliderBlue;  
   private JPanel p;  
   private JPanel topPanel;
   public RGBSlider()
      super( "DrawValue" );     
      getContentPane().add( oval, BorderLayout.CENTER );
      oval.setVisible(false);
      //labels for sliders show color
      labelRed = new JLabel( "Red:" );
      labelGreen = new JLabel( "Green:" );
      labelBlue = new JLabel( "Blue:" );
      topPanel = new JPanel();
      topPanel.setLayout( new GridLayout(1,2));     
      p = new JPanel();
      p.setLayout( new GridLayout( 3, 3 ) );
      canvas = new DrawCanvas();
      sliderRed = new JSlider( SwingConstants.HORIZONTAL,
                              0, 255, 1 );
      sliderGreen = new JSlider( SwingConstants.HORIZONTAL,
                              0, 255, 1 );
      sliderBlue = new JSlider( SwingConstants.HORIZONTAL,
                              0, 255, 1 );
      sliderRed.setPaintTicks(true);
      sliderGreen.setPaintTicks(true);
      sliderBlue.setPaintTicks(true);
      sliderRed.setMajorTickSpacing( 1 );
      sliderGreen.setMajorTickSpacing( 1 );
      sliderBlue.setMajorTickSpacing( 1 );
  //**************  Question       ***********
      //  Is this a waste of space can I condense these listeners into one
     //  and use something like event.getSource to change the actions
      sliderRed.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderRed.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());             
              displayRed.setText( String.valueOf( sliderRed.getValue() ) );
      sliderGreen.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderGreen.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());
              displayGreen.setText( String.valueOf( sliderGreen.getValue() ) );
      sliderBlue.addChangeListener(
        new ChangeListener() {
           public void stateChanged( ChangeEvent e )
              canvas.setNumber( sliderBlue.getValue() );
              canvas.setRed(sliderRed.getValue());
              canvas.setGreen(sliderGreen.getValue());
              canvas.setBlue(sliderBlue.getValue());             
              displayBlue.setText( String.valueOf( sliderBlue.getValue() ) );
      //Start Display Listeners
      displayRed = new JTextField( "0", 5 );
      displayRed.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayRed.getText() );
               if ( v < sliderRed.getMinimum() || v > sliderRed.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderRed.setValue( v );
      displayGreen = new JTextField( "0", 5 );
      displayGreen.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayGreen.getText() );
               if ( v < sliderGreen.getMinimum() || v > sliderGreen.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderGreen.setValue( v );
      displayBlue = new JTextField( "0", 5 );
      displayBlue.addActionListener(
         new ActionListener() {
            public void actionPerformed( ActionEvent e )
               int v = Integer.parseInt( displayBlue.getText() );
               if ( v < sliderBlue.getMinimum() || v > sliderBlue.getMaximum() )
                  return;
               canvas.setNumber( v );
               sliderBlue.setValue( v );
      //            End Display Listeners
      //add components
      p.add( labelRed );
      p.add(sliderRed);
      p.add( displayRed );
      p.add( labelGreen );
      p.add(sliderGreen);
      p.add( displayGreen );
      p.add( labelBlue );
      p.add(sliderBlue);
      p.add( displayBlue );
      topPanel.add(selectShapes);
      topPanel.add(fillCheck);
      getContentPane().add(topPanel, BorderLayout.NORTH);
      getContentPane().add( canvas, BorderLayout.CENTER );
      getContentPane().add( p, BorderLayout.SOUTH );
      setSize( 500, 500 );
      show();
   public static void main( String args[] )
      RedSlider app = new RedSlider();
      app.addWindowListener(
         new WindowAdapter() {
            public void windowClosing( WindowEvent e )
               System.exit( 0 );
//          Canvas Class
class DrawCanvas extends JPanel {
   private int number;
   private Font f;
   private int red;
   private int green;
   private int blue;
   private int shape;
   private int fill;
   private Color color;
   public DrawCanvas()
      setSize( 200, 200 );
      f = new Font( "Serif", Font.BOLD, 33 );
   public void setRed( int c){
       red = c;
       repaint();
   public int getRed( int r){return red;}
   public void setGreen( int c){
       green = c;
       repaint();
   public int getGreen( int r){return green;}
   public void setBlue( int c){
       blue = c;      
       repaint();
   public int getBlue( int r)   {return blue;}
   public void setNumber( int n ){
      number = n;
      repaint();
   public void setShape(int n){
       shape = n;
   public void setColor( int n){
       fill = n;
   public void paintComponent( Graphics g )
      super.paintComponent( g );
      color = new Color( red,green, blue);
      g.setColor (color);
      g.drawString( String.valueOf( number ),
                    getSize().width / 2 - 40,
                    getSize().height / 2 );
}

Similar Messages

  • Slide Timing / Advancing Question

    Hi All,
    I'm relatively new to Captivate (using version 6) and I've been looking all over to find an answer to this question. Basically, I am creating an interactive user guide, and I have certain slides with clickable buttons that display text captions when clicked. I am worried that the timing requirement for each slide is going to make my guide not work the way it should. For example, the person viewing the guide should be able to stay on one slide AND click on the buttons to display the text at his/her own pace. However, once time runs out on the slide, if all of the buttons haven't been clicked, then all of the captions haven't been displayed, and the user then has to replay the slide.
    My question is...is there any way to allow the user to spend as much time as they need on a slide, clicking different buttons to display text captions and ONLY have the slide advance when they click the "Next" button that I have created?
    Hope I'm making sense here. Any help is greatly appreciated.

    Hello and welcome,
    Have a look at: http://blog.lilybiri.com/why-choose-standard-over-simple-action
    Or if you prefer a video: Simple vs Standard action in Captivate
    Lilybiri

  • How do you print the slides in the question pool in captivate 6?

    how do you print the slides in the question pool in captivate 6?

    You move them back into the main project first, and then print them like other slides.

  • Is there a way to make drag and drop slides behave like question slides?

    I created a drag and drop interaction that I want to include in an assessment with other quiz questions. I am having two problems
    1. The submit and reset buttons do not display for the full 3.0s duration of the slide. Once the user clicks submit, the feedback caption displays and the buttons disappear.
    2. The slide auto advances to the next question. I want the slide pause until the user "clicks anywhere to continue."
    Does anyone know a work around to get a drag and drop slide to mimic question slide behavior?
    Thanks!

    Hi Itzelm, KurryKid,
    The HTML5 trackers doesn't tell you every feature that is not supported, sorry. It will never tell you that a lot of Effects are not supported either. There is an 'incomplete' list of supported features in the Help documentation. Here is my list (bit rough, no nice layout, sorry)
    Supported effects in HTML5 
    Entrance- Fly-in (all)  - Ease-in (all)Exit  - Fly-out (all)  - Ease-out (all)Motion Path  - Left-to-Right  - Left-to-Right Ease  - Pentagon  - Rectangle  - Right-to-left ease
      - Right-to-left3point  - RightToLeft  - Triangle  - ZigZag
    Audio objects (audio attached to invisible objects)
    If project is paused, audio attached to object that is made visible will not play in HTML whereas it does in SWF
    No rollovers (caption, image, slidelet)
    Questions:
    No Likert, FIB, Short Answer, Matching
    No question pools, random questions
    No right-click, double click
    No Text animations, no SWF animations(animated GIF possible)
    No Slide transitions
    No borders

  • Remediate to content slide; return to question; then continue on - using Captivate 8

    Using Captivate 8, I’m trying to remediate from a Knowledge Check question slide back to a content slide, then back to the KC question to try again, and then continue on from there.  On my first instance, this works fine.  However, the problems began on the second instance and continue on each instance thereafter. The settings on the KC question slides are all the same with the exception of which slide each jumps to for remediation.  I don't understand why it works the first time, but doesn’t work after that. On the second instance the question jumps back to the content slide, but then skips any subsequent slides.   Anyone had a similar experience?  Know of a workaround or what I might be doing wrong?
    FYI, I'm using he E-Learning Uncovered Adobe Captivate 8 book by Elkins, Pinder, and Slade as a reference, and it clearly describes how to do this on page 183, "Remediation back to Content Slides - If students get a question wrong, you can branch back to one or several slides where the content was taught and then return them back to the quiz to retry the question.  To add remediation branching:  1) in the last attempt field on the question, set a Jump to Slide action to the first slide with the content.  2) On the last slide with the content, add a return to Quiz action on the slide's next button.  On the content slide, the Next button with the Return to Quiz action executes a Continue action under normal circumstances, but returns students to the quiz if that's where they came from."
    Please see content map below:
    Content
    Mapping:
    Slide 1 – Content
    Slide 2 – Content
    Slide 3 – Content
    Slide 4 – Content
    Slide 5 – Content
    Slide 6 – Content
    Slide 7 – Content
    Slide 8 – Content
    Slide 9 – Knowledge Check Question -Remediates back to slide 5 if user misses two attempts to answer; slide 5 returns user to Slide 9 for one last try at question, then advances to Slide 10 (works perfectly)
    Slide 11 – Content (here’s the first problem; on click, slide 11 jumps to the Knowledge Check Question on Slide 13, skipping slide 12)
    Slide 12 – Content
    Slide 13 – Knowledge Check Question that remediates back to slide 11 if user misses on 2 attempts to answer; slide 11 should return user here for one last try at question, then advance to Slide 14
    Slide14 – Content
    Slide 15 – Content (here’s the second problem; on click, slide 15 jumps to the Knowledge Check Question on Slide 19, skipping slides 16, 17, and 18)
    Slide 16 – Content
    Slide 17 – Content
    Slide 18 – Content

    I've tried contacting Adobe, too, but with no clear resolution yet.  One suggestion they gave me was to put the slide you are remediating back to right before the question slide.  However, if you can only remediate back to the slide immediately before the question slide, that limits this functionality severely.  My solution has been to remediate to a duplicate, but separate content slide using buttons rather than quiz logic.  Cumbersome, but it works.
          From: camelothome <[email protected]>
    To: Anne Kimmitt <[email protected]>
    Sent: Friday, May 15, 2015 1:41 PM
    Subject:  Remediate to content slide; return to question; then continue on - using Captivate 8
    Remediate to content slide; return to question; then continue on - using Captivate 8
    created by camelothome in Quizzing/LMS - View the full discussionI have the same problem with my project.  If the player detects that a quiz has begun, it sees it as in quiz scope.  Thus, when it encounters the next slide after the quiz slides that has "Return to Quiz" as the Exit Action, it instead goes to the next set of quiz questions and skips a bunch of content slides. I don't know where I read it, but I thought that if the slide was being visited for the first time, and did not come from a quiz, the "Return to Quiz" would have no effect and it would continue to the next content slide.  Perhaps I am wrong, but I thought that was the correct behavior. I've attempted to get help from Adobe, but the operator was not very helpful.  He wanted me to upload my file using wetransfer.com but gave me an invalid e-mail address.  Since that was the second attempt to get help, I gave up on Adobe Support.  Although I get the suggest above, it's a pain, especially since I don't have buttons on the content slides.  I have the player just playing with the playbar available for pauses.  So, now I have to create some sort of workaround using variables, but I don't think this is how it's supposed to work.  In fact, I'm not sure what I did yesterday that caused it to work correctly for a while, but I'm pretty sure I didn't change anything related to this.  Of course, then it stopped working. I find Adobe Captivate to be pretty buggy and it's put me way behind in delivering a product to my client.  I'm very frustrated. If the reply above answers your question, please take a moment to mark this answer as correct by visiting: https://forums.adobe.com/message/7548938#7548938 and clicking ‘Correct’ below the answer Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: Please note that the Adobe Forums do not accept email attachments. If you want to embed an image in your message please visit the thread in the forum and click the camera icon: https://forums.adobe.com/message/7548938#7548938 To unsubscribe from this thread, please visit the message page at , click "Following" at the top right, & "Stop Following"  Start a new discussion in Quizzing/LMS by email or at Adobe Community For more information about maintaining your forum email notifications please go to https://forums.adobe.com/thread/1516624.

  • Full Screen Photos In Slide Show & Other Questions

    Hi - I'm using Premiere Elements 4. I have a few questions since I'm new to using the program. First of all, how do I get the photos to take up the whole screen (instead of showing a black border) when they are played back? They were taken on a 7.2 megapixel camera at the maximum quality setting. Also, the resolution is bad when it's played back but fine when you see the preview of the photos in the program. I've seen other posts about needing to change the resolution but I was wondering if I got the photos to play full screen if that might fix my problem because I can play the photos as a slide show in the Windows Photo Gallery Program and the resolution is perfect and the photos take up the whole screen.
    Secondly, how do I delete a menu from the Disc Menus Section? Also, how would I delete the "Scene Selection" button from the menu screen that I want to keep? I want to be able to have a menu with just a "play all" button.
    Thanks for your help.

    The only way to remove Scene Menu button from Disc Menus is to physically remove it from the template by editing it (They're PSD files) in Photoshop Elements.
    As for photos, DO NOT use photos from that 7.2 megapixel camera at full resolution, niagara. It's a sure recipe for disaster. RAther, per the FAQs at the top of this forum, rez those photos all down to no larger than 1000x750 pixels in size.
    http://www.adobeforums.com/webx/.3bb8822c
    That done, you can get your photos to fill your screen one of two ways:
    a) Leave the Default to Frame Size option checked in your preferences. The only case in which this won't work is if you're using 4:3 photos in a 16:9 widescreen project.
    b) If this is the case, go to Edit/Preferences and uncheck Default to Frame Size BEFORE you import that photos into your project. (It won't work if you do it after.) Then, after placing each photo on your timeline, right-click on each, select Show Properties and, in Properties, open Motion and set Scale to 85%. Note that, because your photos and the widescreen have different aspect ratios, you will lose some of the vertical off the tops and bottoms of your photos.
    There are many more ways to do it -- but it all depends on what you're trying to accomplish.

  • Trying to jump back to a previous slide if a question is missed

    This is just the first of many questions I'm gonig to have, but the one that's bugging me the most right now.
    I'm running Captivate 6 (32 bit) and I am trying to have a sort of review section after each portion of my training video.  What I want is for the person answering the questions in the review section to have three chances to answer the question.  If they get it wrong 4 times, I want the project to jump back to the slide the information they didn't retain was on.  I would also like to make it to where, on second viewing of this slide, they can return to the quiz question.  I'm assuming this would require making a new, hidden slide? 
    Thank you anyone for your help.  I'm going on a five day vacation in about 15 minutes, so I may not check on this right away, but please know that finally getting this to work is going to absolutely make what is sure to be a miserable Monday .  Happy holidays for those in the states!

    Hi ,
    What I can understand that you have following project model.
    Content Slide section A
    Content Slide section A
    Content Slide section A
    Content Slide section B
    Content Slide section B
    Content Slide section C
    Content Slide section C
    Quiz Section A - 3 attempts
    Quiz Section B - 3 attempts
    Quiz Section c- 3 attempts
    on first time  you want normal flow mentioned above and if suppose user has failed quiz section A , he/she should go to Content section A and then directly jump to quiz section A rather than going to other section.
    To achieve this define a user variable a, assign default value =0, now on the last content slide of particular section you have to set on exit action -> execute conditional advance action
    if a=0 then continue else 'Return to Quiz'
    now on quiz section A you have to set success failure actions:
    Success -> Assisn a = 0;
    Failure-> Execute advance action ( Assign a=1 and Jump to respective content slide.)
    Please let me know if this helps.
    Regards,
    Avinash

  • Audio on last slide after quiz questions not playing

    Captivate v5.5
    I have a project with a question pool and a series of random questions
    The random question slides are without audio.
    After finishing the question pool the project closes with the final slide which does have some audio - which runs fine when I test the slide.
    However when I test the whole project (F12) the audio on the last slide does not play.
    The audio on the slides prior to the random question slides plays without any problem.
    Any ideas please?
    Noel

    Anjaneai,
    Thanks for the suggestion. But changing the question setting to infinite attempts will just allow the user to retry each question over and over until they get it correct. I want to give them one chance to answer each question for the entire quiz. Then, if they don't pass, they can try the entire quiz again.
    I ended up finding a resolution, though. Based on one of the suggestions from this blog, I just shortened my slide time for each question to .5 sec (it was originally 3 sec). That seemed to do the trick!
    http://blog.icslearninggroup.com/2011/12/adobe-captivate-quirks.html
    Kristin

  • Results slide showing all question pool results not just the ones completed.

    I have several question pools which have the option to be taken independently or separately.
    If the user does not take all seven of the modules then the quiz results slide at the end is incorrect as it will report all of the questions not just the ones attempted.
    I have tried the Branch aware option in the quiz results option but that did not worth.
    It this an easy fix or does it require me to add a variable count for each correct answer.
    Many thanks
    Rick

    Branch aware should be just fine for that case, why do you tell it is not working? Branch Aware Quiz - Captivate blog
    When you say 'score slide is not reporting correctly', I had no such problems.
    You could create a custom score slide indeed, using variables, but what if you have to report as a SCORM? Only possibility in that case is Branch aware.

  • Cannot scale Nivo slider on page, question mark icon appears in centre

    Hi I have just paid the fee and downloaded new widgets and tools, and updated my Max to OS X 10.9. FIrst try out getting the Nivo slider onto my page is not working out. It refuses to scale how I want it (into a horizontal shape) and instead keeps bouncing to a large squarish shape, with a question mark icon appearing in the middle. Please can anyone help? Thanks....

    Thanks Michael,
    There's the rub, when I went to applications the fcp icon wasn't there. Yesterday I dumped a number of old fcp projects becuase I needed the space. Is it possible I dumped the program as well? If so, is there a solution? I am working on a number of recent fcp projects and would hate to lose them. I go to Finder but cannot find any fcp icons connected to the other projects. QTV is there, but no fcp.
    Cheers
    Bob

  • Captivate 8 - Slide timing & interaction questions

    I used to work somewhat with Captivate 3 & 4, and now just got access to Captivate 8 and am currently in the process of evaluating it.  I am hoping someone in the community could help me with the following questions:
    1. Is there a way to add more than 1 action to an interaction?  In other words, I have a button which, when clicked, changes a graphic on the slide using the "Show" action on success.  However, I want to repeat that action to also show a video.  Is this possible?
    2. On the same slide above, I have a total of 5 buttons.  4 of the buttons do what I mentioned in #1, but the fifth button acts more as a navigation button to move to the next slide.  I have a click box inserted for this 5th button with the option "Pause project until user clicks".  However, if any of the 5 buttons are clicked, the slide advances.  Any advice?
    3. I've noticed that "Allow Mouse Click" is greyed out on all actions I've reviewed.  How can I enable this option?
    Thanks!

    Thank you, Lilybiri!  Regarding #1, the actions should execute at the same time, rather than in a timed sequence.
    Regarding my question 3, I figured it out.  I just have to click into the text field and then hit the key I want on my keyboard (the "Allow Mouse Click" option is no longer greyed out following that).
    I see what you mean regarding executing more than one action under Advanced Actions, but I'm having a slight issue.  When I select "Show" for my action and then go to choose what I want to display, I am not seeing the images I want as options (the images are both in the Library and currently on the slide, themselves).  Alternatively, perhaps I am seeing them, but I see options like "Image_15", "Image_16", etc... but I'm not finding those image names anywhere else, including the library.
    Am I missing something?

  • CP5: Scoring and Quiz Result Slides for Selected Questions

    Hello World,
    I am trying to create a course that has several "knowledge checks" that don't need to be scored or tracked, and then a 10 question quiz at the end that needs to be scored and tracked.
    Does anyone know of a way to separate those two elements so that the Quiz Results slide does not include any of my "knowledge check" data and just gives the user details of the 10 question quiz? I would also like to use the progress bar, but only for the final 10 questions.
    Alternatively, if the quiz result screen separated out the results of the knowledge checks from the quiz, that would work as well.
    Thanks,
    Graham

    Hello,
    If you use the Question slides that come with Captivate, all the slides will be added to the total score because you can only have one Quiz in a CP-file.
    Some ideas: you could set the score of the first (not te be tracked) slides to 0, or if possible change the questions from scored to survey (will not be scored).
    If by Progress you mean the indication 'Question X of Y', there you will need to make your own counters, with user variables and advanced actions. If you want to have total control of your question slides you could create the first bunch of questions yourself and only use the default Question slides for the real last Quiz. Just published a blog post today with some links to articles about customizing Quizzes. Feel free to check it:
    Customize your Quiz using advanced actions
    Lilybiri

  • Why do I see things set differently in Advanced Actions (F9) than in each slide's Edit  Question settings?

    After spending 10+ hours of trying to figure out why my first two quiz slides did work, and my next eight didn't, I found the answer as an offhand, btw, comment. The expected action was On failure, Jump to Slide x, which would jump back to the beginning of that content "section." (Quiz slides (two per section) are interspersed with sections of content slides). I finally ran across the advice to "save yourself time" by using F9 to see Advanced Interactions (which is, what, a dialog? a view?).  Turns out this was not just a time-saver but the ONLY way (that I've found yet) to see and fix my problem.  In Advanced Interactions, I could immediately see that the first two slides were set as I thought, (Jump to Slide upon failure), but the rest were set to Continue upon failure.  This, EVEN THOUGH on every question slide, in Edit view/mode on the Edit Question > Options tab, it was set for Jump to Slide upon failure.  Why did it appear that way in Edit Question > Options, but not in Advanced Interactions?  I set them all correctly in the Advanced Interactions and now the jumping is working correctly (Now I have problems with questions not being reset, but I think I have seen the answers for that in my 10+ hours of reading forums and blogs.)

    hello Mac.INXS, please [[Clear the cache - Delete temporary Internet files to fix common website issues|clear the cache]] & [[Delete cookies to remove the information websites have stored on your computer|cookies from mozilla.org]] and then try logging into AMO again.

  • 6500 Slide Active Standby Question

    My Active Standby is only displaying 1 event whereas my old 6280 displays more than 1. Is it possible for the 6500 Slide to display more than 1?
    Thanks in advance.

    BUMP

  • Flash Slide Show Presentation Question

    I have created a slide show presentation in Flash format. On
    some of my slides, I have animations that run when the slide first
    loads. However, as I do not want the animation to continue looping
    preventing the viewer from reading the slide, I used actionscript
    to place a stop action at the end of the slide animation.
    The problem is that if the user uses the previous button in
    the slide show to return to the slide the animation does not run.
    It will only run again if the entire slide show is restarted. Is
    there a simple way to fix this?
    Thanks

    The steps are fairly simple. I create a listener ,a loader
    and an empty movie clip to load the images into. I write a
    listener_mc.onLoadInit function then I use the loader_mc.loadClip
    to load the images into the empty movieclip. When the loading is
    complete the onLoadInit function gets called and you can resize and
    center your images.

Maybe you are looking for