Every 9th slide blocks

I ask for advice. I have a problem with every 9th slide in a Captivate 3 project in the resulting swf. file. I work at a university and I have put together a Captivate movie about Student Services. From the MENU slide the student chooses the service they want to find out more about and click on the chosen button.
Every service is composed of 3 slides: 2 information slides and 1 quiz slide. From the MENU slide the student is taken to an information slide. After reading the information, the student clicks on the NEXT button, and is taken to the next slide, which is also an information slide. On reading the information, the student clicks NEXT and is taken to a quiz slide. On answering the quiz slide, the student clicks anywhere on the slide and returns to the MENU slide, and from here chooses another service to investigate.
The procedure works well until the 3rd quiz (i.e. the 9th slide). Here it blocks and the interaction doesn't work. This doesn't happen on one particular quiz slide, but rather it is always the 9th slide in any chosen series.
I am wondering what I can do to 'unblock' this. I attach an image of the branching of the project.

It is only possible to get a new set of random questions if the course is relaunched.
As for your first question: is the Drag&Drop configured as a question? If it is included in the Quiz, it is normal behavior that Retake and Review both will get back to the D&D slide.

Similar Messages

  • Problem with slide block puzzle

    Hello:
    I am doing a project that solve slide-block puzzles. My program take two common line arguments. One is a file specifying the initial configuration while the other specify goal configuration. My idea is to use an arrayList<block > to represent a configuration with each element being a block, for each block, I stores all possible configurations after moving the block in a Hashset and Stack. I check if the goal has been reached after each move, if not, go moving next one. If the configuration has been seen before, which indicates a dead end, I pop the stack to backtrack the most recent the branch and take another path.
    Unfortunately, the algorithm I came up does not work.
    Can anyone propose a psudocode for me?
    Also, my program should print out all moves directly towards the goal but I can not figure out how to only print out the moves directly towards the goal and avoid printing those leading to dead end.
    You can see specification http://nifty.stanford.edu/2007/clancy-slidingblocks/proj3.html.
    I will be really really appreciated.

    Well, that was harder than I thought!
    Anyway, the algorithm can be quite simple: a BFS finds a solution pretty fast. Here's some pseudo code:
    public class Solver {
        private Set<Integer> alreadyFormedTrays; // A set of already formed trays
        private List<Block> goalList;            // The final goal(s)
        private boolean foundSolution  = false;  // A flag flipped to true once we find a solution
        private Tray startTray;                  // The initial tray
        public Solver(String[] tray, String[] goals) {
            alreadyFormedTrays = new HashSet<Integer>();
            goalList = new ArrayList<Block>();
            buildTray(tray);
            buildGoals(goals);
        private void buildGoals(String[] goalsData) {
            // Fill the 'goalList'.
        private void buildTray(String[] trayData) {
            // Create the first tray: 'startTray'.
        private boolean goalsReached(Tray aTray) {
            // Check wether we have reached our goal(s).
        public void solve() {
            alreadyFormedTrays.add(startTray.hashCode());
            System.out.println("START=\n"+startTray);
            solve(startTray);
        private void solve(Tray aTray) {
            IF we found a solution, stop looping END IF
            IF 'aTray' reached our goal(s)
                foundSolution <- true
                print the path 'aTray' has taken
                stop looping
            END IF
            'nextTrays' <- all next trays that can be formed from 'aTray'
            FOR every Tray 'T' in 'nextTrays' DO
                'hash' <- a hash of 'T'
                IF 'hash' is not yet present in 'alreadyFormedTrays'
                    add 'hash' in 'alreadyFormedTrays'
                    make a recursively call with 'T' as a parameter
                ENDIF
            ENDFOR
        public static void main(String[] args) {
            String[] trayFile = {
                    "5 4",
                    "2 1 0 0",
                    "2 1 0 3",
                    "2 1 2 0",
                    "2 1 2 3",
                    "2 2 1 1",
                    "1 2 3 1",
                    "1 1 4 0",
                    "1 1 4 1",
                    "1 1 4 2",
                    "1 1 4 3"
            String[] goalFile = {
                    "2 2 3 1"
            Solver s = new Solver(trayFile, goalFile);
            s.solve();
    }As I said: the algorithm isn't that hard, the tricky part comes in finding all possible Trays from a given Tray X and making copies based on X.
    Here are some UML diagrams of the classes I used:
    |                                      |
    | + Tray                               |
    |______________________________________|
    |                                      |
    | ROWS: int                            |
    | COLUMNS: int                         |
    | - freeSpaces: byte[][]               |
    | blocks: List<Block>                  |
    | path: List<Atom[]>                   |
    |______________________________________|
    |                                      |
    | + Tray(r: int, c: int): << constr >> |
    | + Tray(tray: Tray): << constr >>     |
    | + addBlock(b: Block): boolean        |
    | + generateNextTrays(): List<Tray>    |
    | + removeBlock(b: Block): void        |
    |______________________________________|
    |                                                                                          |
    | + Block                                                                                  |
    |__________________________________________________________________________________________|
    |                                                                                          |
    | HEIGHT: int                                                                              |
    | WIDTH: int                                                                               |
    | name: char                                                                               |
    | atoms: List<Atom>                                                                        |
    |__________________________________________________________________________________________|
    |                                                                                          |
    | + Block(n: char, height: int, width: int, startRow: int, startColumn: int): << constr >> |
    | + Block(b: Block): << constr >>                                                          |
    | - buildAtoms(startRow: int, startColumn: int): void                                      |
    | + getUpperLeft(): Atom                                                                   |
    | + move(m: Move): void                                                                    |
    |__________________________________________________________________________________________|
    |                                      |
    | + Atom                               |
    |______________________________________|
    |                                      |
    | row: int                             |
    | column: int                          |
    |______________________________________|
    |                                      |
    | + Atom(r: int, c: int): << constr >> |
    | + Atom(a: Atom): << constr >>        |
    | + move(m: Move): void                |
    |______________________________________|I removed the equals(...), hashCode() and toString() methods for clarity, you should implement them, of course.
    The Move class you see in there is an enum, and looks like this:
    public enum Move {
        UP    (-1,  0),
        RIGHT ( 0,  1),
        DOWN  ( 1,  0),
        LEFT  ( 0, -1);
        final int deltaRow, deltaColumn;
        private Move(int dr, int dc) {
            deltaRow = dr;
            deltaColumn = dc;
    }If you have any questions about the methods/variables in the class diagrams, feel free to post back.
    Good luck.

  • Music glitch after every 99th slide

    After creating a slideshow with music in iDVD, during playback there is a major glitch in the music after every 99th image is shown.
    Any ideas on what causes this and how to prevent it?

    iDvd treats images as chapters in slideshows. Many set top dvd players can't understand anything beyond 99 chapters and they often drop the audio at this point which is what you might be experiencing here. Suggest you use 99 or less slides per slideshow.
    http://www.lqgraphics.com/software/phototomovie.php
    http://www.boinx.com/fotomagico/overview/
    Quoting F Shippey:
    There are inherent problems in iDVD created slideshows because each slide is treated as a Chapter and a slideshow is a Track. The DVD spec limits Tracks to 99 Chapters and up to iDVD 6, slideshows were limited to 99 images. Starting with iDVD 6, Apple created something of a 'hack' that linked together Tracks making slideshows or more than 99 images possible. The problem is, many/most set top DVD don't like the 'hack' and pause/quit/drop audio after 99 images. Some set top DVD players even drop the audio with each transition.
    The ONLY sure way to create a slideshow with audio that will run with no problems is to create it as a movie in iPhoto or iMovie (or Photo to Movie or FotoMagico (which I use)).
    F Shippey
    http://discussions.apple.com/thread.jspa?messageID=5193844&#5193844
    Message was edited by: SDMacuser

  • CP7 Rollover images Show up every OTHER slide

    I am using CP7 and I have a number of graphics on slide 1 that I have defined to have a 'rest of project' timing. I have made multiple groups of graphics on slide 1 and I have made them to NOT be 'visible in output' this way, when I need them, I can use advanced actions to hide/show them (by group name) when I need them for subsequent slides. I am using slide 1 for this instead of the master slide because I need to define the stacking of graphics fairly specifically (slide 3 and further have some graphics that need to be in front of some things and behind some other things).
    The set up is that I have a smart shape with a graphic and I am using it as a button on slide 1 (NOT visible in output and lasts for rest of project). Overlayed over top of my smart shape/button is a rollover image. The two objects work just like a rollover button you would see on the web. There is an advanced action that opens the group that the button is a part of and a few other graphic groups that I need to make it look good. When you click the button, there is another advanced action that is supposed to hide the group that both of those graphics are in, plus the other graphics that make it look good, and then go to the next slide. There is an advanced action on the next slide OnEnter that shows the what is needed for the beginning of the next slide.
    So, here's the problem. When I click my button, everything disappears and goes to the next slide EXCEPT the rollover graphic, which stays on the screen and on top of all other graphics in slide 2. The SAME EXACT advanced action is used on slide 2 to go to slide 3 (with the same exact button because they are all really on slide 1 the whole time and just being made visible or invisible). When I click, I go to slide 3 and the rollover graphic is gone. I click the button again (to go to slide 4) and I go to slide 4 but the rollover graphic is BACK AGAIN!
    I know that this is a complicated write-up, and I am going to go start from scratch to see if I can replicate the problem with a stripped down version of the advanced actions in a new file, but I am hoping someone can point me in the right direction about what is going on. I have deleted and re-inserted the rollover image, but it still does the same thing. I have re-coded the advanced action and it still does it. I have copied rollover images that DONT have this weird glitch and it still does it.
    Anyone have any ideas?

    I found a 'workaround' to this problem, but I would still like to know what is going on underneath to make this happen. Since I have all the rollover graphics on the first slide with timing or 'rest of project' I just made an animated button in Flash and imported it as a .swf to replace the rollover image. I changed the smart shape underneath from having the image of the button to being transparent (still have it being used as a button with all the same advanced actions as before). Now the swf handles the rollover and the transparent smart button underneath handles the OnClick action and everything works great.
    Not sure what was going on with the rollover images, but at least I was able to get the result I needed.

  • Can't get image slider to work

    Every image slider tutorial I do, I can't seem to get to work! I'm obviously doing something wrong!! Could someone please point out what it is please? I've been going onto CodePen > typing in responsive image slider > copying the html > creating a separate CSS and JS and linking to them. But when I run the page, nothing happens. What vital ingredient am I missing?
    Untitled Document
    Thanks.

    I agree with you pal - there's no point in trying to be clever if no-one can find the code.
    If you want the slider you're talking about then copy the code below and paste into a dreamweaver document and browse - have fun and then go tell code pen they are a pile of shite.
    <!DOCTYPE html><html class=''>
    <head><meta charset='UTF-8'><meta name="robots" content="noindex"><link rel="canonical" href="http://codepen.io/MarcoGuglielmelli/pen/ogZWpv" />
    <style class="cp-pen-styles">@import url(http://fonts.googleapis.com/css?family=Jacques+Francois);
    @import url(http://fonts.googleapis.com/css?family=Quattrocento+Sans);
    body {
      background-color: #979797;
      color: #fff;
      margin: 0em;
      padding: 0em;}
    .page {
      max-width: 640px;
      margin: 0px auto 30px auto;}
    .panel {
      background-color: #fff;
      color: #666;
      box-shadow: 3px 4px 5px rgba(0, 0, 0, 0.2);
      overflow: auto;}
    button {
      border: none;}
    /********** LOGO **********/
    h1 {
      text-align: center;
      width: 200px;
      height: 20px;
      margin: 40px auto 40px auto;
      background-repeat: no-repeat;
      text-indent: 100%;
      white-space: nowrap;
      overflow: hidden;}
    /********** TYPOGRAPHY **********/
    body, button {
        font-family: 'Jacques Francois', serif;}
    h2, h3 {
      font-weight: normal;
      margin: 0em;}
    h2 {
      color: #666;
      text-transform: uppercase;
      letter-spacing: 0.14em;
      font-size: 230%;
      line-height: 1em;
      padding: 20px 0px 0px 20px;}
    h3 {
      font-size: 90%;
      letter-spacing: 0.2em;}
    p {
      font-family: 'Quattrocento Sans', sans-serif;
      line-height: 1.4em;}
    a {
        text-decoration: none;}
    button {
      font-size: 90%;
      text-align: left;
      text-transform: uppercase;}
      /*****************  No JS ***************/
    #billboard {text-align: center;}
    .js-warning {display: none;}
    .no-js .js-warning {
      display: block;
      border: 3px solid #fff;
      text-align: center;
      background-color: #fff;
      color: #db5391;
      padding: 10px;}
    /********** SLIDER **********/
    .slider {
      max-width: 940px;
      margin: 0px auto 30px auto;}
    .slide-viewer {
        position: relative; /* needed for IE7 */
        overflow: hidden;
        height: 430px;}
    .slide-group {
        width: 100%;
        height: 100%;
        position: relative;}
    .slide {
        width: 100%;
        height: 100%;
        display: none;
        position: absolute;}
    .slide:first-child {
        display: block;}
    /********** BUTTONS **********/
    .slide-buttons {
      text-align: center;}
    .slide-btn {
      border: none;
      background: none;
      color: #000;
      font-size: 200%;
      line-height: 0.5em;}
    .slide-btn.active, .slide-btn:hover {
      color: #ed8e6c;
      cursor: pointer;}</style></head><body>
    <header><h1>Responsive Slider</h1></header>
    <section>
          <div class="slider">
            <div class="slide-viewer">
              <div class="slide-group">
                <div class="slide slide-1">
                  <img src="http://javascriptbook.com/code/c11/img/slide-1.jpg" alt="No two are the same" />
                </div>
                <div class="slide slide-2">
                  <img src="http://javascriptbook.com/code/c11/img/slide-2.jpg" alt="Monsieur Mints"  />
                </div>
                <div class="slide slide-3">
                  <img src="http://javascriptbook.com/code/c11/img/slide-3.jpg" alt="The Flower Series"  />
                </div>
                <div class="slide slide-4">
                  <img src="http://javascriptbook.com/code/c11/img/slide-4.jpg" alt="Salt o' The Sea"  />
                </div>
              </div>
            </div>
            <div class="slide-buttons"></div>
          </div>
        </section>
    <script src='http://ajax.googleapis.com/ajax/libs/jquery/1.11.0/jquery.min.js'></script>
    <script>
    $('.slider').each(function () {
        var $this = $(this);
        var $group = $this.find('.slide-group');
        var $slides = $this.find('.slide');
        var buttonArray = [];
        var currentIndex = 0;
        var timeout;
        function move(newIndex) {
            var animateLeft, slideLeft;
            advance();
            if ($group.is(':animated') || currentIndex === newIndex) {
                return;
            buttonArray[currentIndex].removeClass('active');
            buttonArray[newIndex].addClass('active');
            if (newIndex > currentIndex) {
                slideLeft = '100%';
                animateLeft = '-100%';
            } else {
                slideLeft = '-100%';
                animateLeft = '100%';
            $slides.eq(newIndex).css({
                left: slideLeft,
                display: 'block'
            $group.animate({ left: animateLeft }, function () {
                $slides.eq(currentIndex).css({ display: 'none' });
                $slides.eq(newIndex).css({ left: 0 });
                $group.css({ left: 0 });
                currentIndex = newIndex;
        function advance() {
            clearTimeout(timeout);
            timeout = setTimeout(function () {
                if (currentIndex < $slides.length - 1) {
                    move(currentIndex + 1);
                } else {
                    move(0);
            }, 4000);
        $.each($slides, function (index) {
            var $button = $('<button type="button" class="slide-btn">&bull;</button>');
            if (index === currentIndex) {
                $button.addClass('active');
            $button.on('click', function () {
                move(index);
            }).appendTo('.slide-buttons');
            buttonArray.push($button);
        advance();
    //@ sourceURL=pen.js
    </script>
    <script src='http://codepen.io/assets/editor/live/css_live_reload_init.js'></script>
    </body></html>

  • How do I get my slide to fly OFF the page as well as on?

    Using Captivate 3 on a quiz project and the client wants the
    stuff to slide
    in and off. I have the slides flying in from the left (sure
    wish you could
    pick the direction) but then the next one just flies in on
    top of it. How
    can I get the previous slide to fly off after the submit is
    pressed?
    Thanks!
    Nancy

    hmm .. that sounds pretty complicated .. probably I should
    just talk the
    client into other transitions. :)
    Thanks!
    Nancy
    "webbo1968" <[email protected]> wrote in
    message
    news:g5odvl$jem$[email protected]..
    > Nancy
    >
    > the effect you are trying to achieve is the PUSH
    function in slide
    > transition
    > found in Powerpoint. Unfortunately Captivate does not
    have this transition
    > in
    > the slide transition list, only WIPE which, as you
    state, wipes on top of
    > the
    > next slide from the left.
    >
    > I tried inserting powerpoint slides which were set to
    PUSH, but once in
    > captivate, they revert ti WIPE.
    >
    > The only way I can think around this, would be to create
    a simple
    > animation in
    > something like flash of the previous and next screen,
    using screen shots,
    > which
    > basically has the two screens moving from left to right
    and inserting this
    > as
    > an animation on a slide between the two slides, but this
    would be a
    > tedious,
    > long job to create animation for every 2 slides, but it
    would work.
    >
    > Lee
    >

  • Is there a way to create or use a "slide viewed" variable?

    Hi, I would like to write a conditional action based on whether or not a learner has visited slide. I realize I could write an individual variable for every single slide, but that would be a very slow and manual way to set this up. From a logic perspective, I wanted to set up a single project action that would look something like this.
    If "slide viewed" = no, then do this...
    If "slide viewed" = yes, then don't do anything.
    Theoretically, it would seem possible since you can show a checkmark in the TOC next to a visited slide, but I can't quite figure out how to apply this to my project actions.
    Is something like this possible in Captivate 6 or 7?

    Disclaimer: I've only tried this with a couple slides, with very little error checking, but here's a single action approach I came up with.
    First I created a tracker variable. Then I labelled each slide with a single, distinct letter/number/character. (Not sure if there are any characters you should stay away from; maybe someone else can tell you which ones might cause problems as a slide name/label). So you might run out of letters/numbers/characters if you have a ton of slides. If you have enough unique, one-letter names, however, this is the logic behind the advanced action:
    If slide_tracker contains cpInfoCurrentSlideLabel
    Then: continue
    Else: do whatever you want it to do
    slide_tracker = slide_tracker + cpInfoCurrentSlideLabel
    So basically, if we've already been to this slide, the slide label will already been appended to our tracker variable. Thus it will contain the unique letter/symbol/number, and will do nothing (continue). If we haven't been to this slide, then we can do whatever we want to do and update the tracker to reflect that we've now been to this slide.
    Again, a disclaimer: I spent only five minutes trying this out, so there may be unforseen issues with it.

  • Is there a way to re-set the default fade-in/out setting for all slides?

    Hi all, I don't know why all objects on all the slides of my captivate project are set as transition-> fade in/fade out. The result is that every single slide fades out after 3 seconds, even before the learners can finish reading.
    The only solution I know is to change each single object from transition->fade in/fade out to No Transitions. However, it takes thousands of clicks.
    Does anyone know that there is a one-step solution to get rid of this default fade in/fade out settings?
    Or was there something that I did wrong which caused this default fade in/fade out?
    Thank you very much.

    Hi all, not only are my objects set to no transition, I set the object defaults to rest of slide rather than specific time (located in the same window above. That way slide duration does not matter (unless you are doing autoplay and not using navigation.) This way when my audio lengthens the timeline all my objects are there for the full duration
    Also, another tip, once you have set your objects styles and preferences the way you like them you can export both, and import them into any new project that you wish to use them in rather than reset all the time.

  • SCORM 1.2 and Saba - Reporting a 0 Score for Track Slide views

    Good morning,
    We have just transitioned over to our new LMS, Saba.  To say the transition has been rocky would be an understatement.   So, here is what I am dealing with:
    I have a very basic reader course where I want to grant someone credit once they have viewed all slides.  I am using SCORM 1.2 and setting either "User Access Only" or "Slide Views Only."  If I use slide views, I set it to 1, it sends a 0 score to the LMS, even if the user views all slides.  I have been able to create a fix by assigning a point value to a click box or button at the screen where I want the user to get credit.  However, this does not seem to be what was intended.
    Below are screen shots of my publishing commands, Saba screens, and communication report between Saba and CP.
    Content Communication Log with Saba
    Content Communication Log
    July 14, 2011 5:34:43 AM PDT
    Command Received = LMSInitialize
    Content Item: Super_Instructor_Role
    July 14, 2011 5:34:43 AM PDT Response data (Data sent by Saba LMS to content) =
    cmi.core.student_id = EEFIELDS1
    cmi.core.student_name = Fields, Eric
    cmi.core.credit = credit
    cmi.core.entry = ab-initio
    cmi.core.lesson_mode = normal
    cmi.launch_data =
    cmi.suspend_data =
    cmi.core.lesson_location =
    cmi.core.lesson_status = not attempted
    cmi.core.score.raw =
    cmi.core.score.min =
    cmi.core.score.max =
    cmi.core.total_time = 00:00:00
    cmi.comments =
    cmi.comments_from_lms =
    cmi.student_data.mastery_score =
    cmi.student_data.max_time_allowed =
    cmi.student_data.time_limit_action = exit,message
    cmi.student_preference.audio = 0
    cmi.student_preference.text =
    cmi.student_preference.language = 0
    cmi.student_preference.speed = 0
    July 14, 2011 5:34:45 AM PDT
    Command Received = LMSCommit
    Data sent by content to Saba LMS:
    cmi.core.lesson_status = completed
    cmi.core.lesson_location = 0
    cmi.core.exit =
    cmi.core.score.raw = 0
    cmi.core.score.max = 0
    cmi.core.score.min = 0
    cmi.core.session_time = 00:00:01
    cmi.suspend_data = A1Enone%24nP000AA000AA
    cmi.student_preference.audio = 0
    cmi.student_preference.language = 0
    cmi.student_preference.speed = 0
    cmi.student_preference.text = 0
    cmi.comments =
    July 14, 2011 5:34:45 AM PDT Response data =
    error=0
    July 14, 2011 5:34:59 AM PDT
    Command Received = LMSFinish
    Data sent by content to Saba LMS at the time of exit:
    July 14, 2011 5:34:59 AM PDT Response data =
    error=0
    Any help would be greatly appreciated.
    Thanks,
    Eric Fields
    Sr. eLearning Consultant
    Coventry Health Care

    I would suggest you try using Percent instead of Score, and set the Slide View completion percentage to 100 instead of 1.
    Change Reporting Level to Score instead of Interactions and Score.
    You haven't shown the screen for Quiz > Pass or Fail settings, but you need to set the passing percentage there to 100% as well if you intend that the learner must view every single slide.
    Bear in mind that when using slide views, if you have any navigation buttons on the slides that are set to jump to the next slide when clicked, then the learner does not get a completion mark for those slides.  In Captivate you have to watch a slide all the way to the last frame in order to get it marked as completed.  If for some reason you need to get slides marked as completed despite not being viewed (e.g. when using branching) then you can use our TickTOC widget to gain credit for those slides that are missed or not watched to the end.
    http://www.infosemantics.com.au/ticktoc
    If you suspect that not all slides will be viewed, you can adjust the Pass/Fail percentage to something less than 100% to allow for the missed ones.
    Try these changes and see if it works.
    Once you DO find the settings that allow Captivate to work with SABA I would be very interested to know what they were.  I've got a page on my website where I want to show the Captivate config settings for SABA: http://www.infosemantics.com.au/lms_guide/saba  I don't have access to this LMS myself, but perhaps you or other SABA users on this forum can contribute information to make it easier for others to work with it.

  • Cap 8 - Increasing Slide Height Distorts Slide Objects

    Hi everyone,
    I'm building a responsive project in Cap 8, and need to adjust the slide height on a number of slides to include scrolling. When I break the link and increase the pixel height, all of the slide objects resize larger in height and width. This includes the text in the objects, etc... every aspect of the slide objects resizes.
    I have tried every imaginable combination of object positioning and size options to no avail. I did see a previous posting related to this (Responsive Slide Height Expands all objects on Master Slide Background.), but the developer was only concerned with slide masters. I did test the solution and it works, but using only slide masters is not a solution for me. The type of project I am developing requires discrete buttons/actions on every single slide. In addition, only Smart Shape buttons on masters will work on the filmstrip slides (as I understand it). I need to use image buttons in some cases.
    Is this distortion expected behavior I am going to have to work around? If not, any guidance on how to make my objects stick to their positions and sizes on filmstrip slides when increasing the slide height is greatly appreciated!
    Cheers,
    Robbin

    Hello,
    Really hoping for some insight on this one as it's a showstopper... has anyone seen this behavior? And if so, any solution/workaround?
    Thanks
    Robbin

  • Best way to create slide shows in PE4 and PSE 6

    What's the best way to create a fancy slide show in PE 4 and PSE 6? I need to create a slide show of about 600 pictures. I'm on Windows XP with 3gb RAM. I've done this a few years ago in earlier versions of PE and PSE. Before i plunge into this again i wanted to get some overall guidance for what to do or not do.
    My ultimate goal is to create a slide show that:
    1. uses pan and zoom on every photo
    2. transitions between every photo
    3. has an audio track
    4. has some nice special effects -- words and graphics that appear on slide at precisely the right moment to match the song, and stay on the screen as one slide transitions to another. i want the text to be able to move and fade in and out.
    My view is that it's easy to accomplish #1-3 in PSE 6; it's quite simple to create a slide show, add pan and zoom, and transitions. However, #4 is not doable because adding text and graphics can only be done on a slide at a time and only when the slide start/stops (i.e., you can't have text appear 2 secs after the slide has started displaying and stay on screen while the next slide appears). Need PE 4 to do that.
    What i'm wondering is:
    -- is it best to create the basic slide show in PSE6 and then export to PE 4 to do the final fancy stuff, or is it best to just create the show in PE4? Seems that doing the pans, zooms, and transitions are easiest in PSE 6.

    eric,
    I am going to offer some reasons NOT to start this slide show in Photoshop Elements. This is despite the fact that I have used the workflow of starting in Photoshop Elements and used the Send Slideshow to Premiere Elements in PSE5 - PE 3 and PSE7 - PE7.
    1- Timing differences between the PSE and PE slide show construction and processing
    There are many differences in timing between the two products. Transitions can start/end slightly offset from their timing in PSE once they arrive and are processed in PE. Same for pan and zoom. Does this matter? Well the more precise your timing, the more potential for a show stopper.
    Example: one person who wanted continual motion using pan and zoom needed to go modify the transition positioning and the keyframing of the pan/zooms on every single slide after sending a slideshow from PSE to PRE.
    2- your requirement to
    "words and graphics that appear on slide at precisely the right moment to match the song, and stay on the screen as one slide transitions to another. i want the text to be able to move and fade in and out."
    You can't really sync the audio to a slide in PSE. The text can't move or fade in/out. I think that it will be more grief to retrofit these functions to a slide show that was created in PSE than it will be to do the all the work in Premiere Elements.
    3- "Add the sound track for the ENTIRE slide show (this will be longer than i currently have slides for because i don't have all the photos"
    I am suspicious that adding the ENTIRE sound track in one PSE slide show will not work.
    I have done multiple sends from PSE slide show editor to Premiere Elements. However, I decided on the approach of using no audio in the PSE slideshow editor and adding Audio in Premiere Elements AFTER sending all the slide shows.
    Again, your objective of syncing specific photos to music points is good artistically - but I am concerned that it will make your PSE to PRE workflow problematic.
    4- "as new photos arrive, do the arrangement/pans/zooms in PSE and move them to PE"
    As Steve mentioned when you do subsequent sends of the slideshow, it appends to the end - does not seem to fit your objective of replacing part of the middle.
    Also if you get new photos in for the second section of the slideshow - but over in Premiere Elements you had already made other changes in the second section. There is no function to combine new changes doen in PSE and changes done in PE for that same "section" of the slideshow.
    5- you did not say whether you will be outputting this slide show in Full Screen or Widescreen format. Will you be burning a DVD? If you will be doing widescreen output, additional problems with specifying pan/zoom in PSE have been identified on various forums because the PSE pan/zoom boxes are not widescreen aspect ratio.
    Conclusion:
    Some of my comments here are definitely subjective - however, it is my overall conclusion that your objectives and work plan are not a good fit for the Photoshop Elements slide show editor to Premiere Elements workflow.
    My perspective on the Photoshop Elements slide show editor is that it is designed to simple, quick and easy. Therefore it has limitations.

  • Positioning text in same spot on slides

    I would like title text to always appear in the same X and Y coordinate on every slide. It seems when some text does not have as many characters it does not start in the same place, but rather is more centered. How can I achieve this?
    Thanks.

    I gather the "title text" you're referring to is a text box available on the master slide you're using. It's now set (by default) to CENTER text, but you want the text ALIGNED LEFT, which will result in the text box, and the text, always starting from the same x and y coordinates.
    To achieve this:
    1. Start making your presentation and make your title page. I gather you might want the title page to be centered, so go on and make your second page (slide). Arrange your slide title the way and place you want it, +with the text box set to left-align the text+.
    2. Then: VIEW > SHOW MASTER SLIDES. They will appear in the vertical box on the left, and the master of the slide you're working on will be checked. Arrange the title on the master exactly as you arranged it on the slide you just made.
    3. Then: SLIDE > NEW MASTER SLIDE. That will redefine that master. With the exception of the title slide, every "next" slide you make will, by default, use the same master as the one you just finished. So every new slide you now make will have its title just where and as you redefined it. If you want to use a different master somewhere in your presentation, you'll want to redefine that one, too, if there are more than one.

  • All Quiz Slides Automatically Changed (by captivate) when ANY change is made to a Quiz Slide

    When I make a change to a quiz slide, captivate automatically adds the "Back" button (which was previously deleted) to *all* quiz slides and extends *all* quiz slide length by several seconds. This is very frustrating to have to go back to every quiz slide (which are interspersed thought the project) to remove the "back" button and correct the slide length. Thoughts anyone?

    Did you read that blog post that I indicated in the other thread about questions?
    Default pausing point is at 1.5 secs. If you leave the Success/Last attempt action to default 'Continue' users have to wait 1.5secs, never 3 secs.
    If you want to reduce the time, you can drag the pausing point bit more to the right to decrement the non-active part (not totally till end). That is the best solution, especially if some users will have to work with restricted bandwidth. Or you use Go to Next Slide instead of Continue for the actions.

  • What does a blocked caller hear?

    Yes, I am using the latest version of my OS and Skype.  I use the "premium" version with a Skype phone number.  I have managed to block several marketing callers...only to have two new ones start showing up for every one I block.  My question is, what does a calling party hear when they call after I block them?  Is it just a "hang up" or is there some sort of "you have been blocked" message?

    It makes your phone line busy to them 24x7.  I just blocked myself and reset all my Skype clients and that's exactly what it did.  I have had a Skype number for over eight years and I still get the occasional standard spam calls you get with any phone line (especially published/listed) except that I can block them when I couldn't with a standard provider.  I generally get auto dialer calls in pairs.  One to test it out followed by another within 5 minutes or so as a follow-up.  Most of the time I block those I don't get any more incoming for a while though some weeks I get a few sets of those.  Blocking helps even if it doesn't appear that way due to the unfathomable amount of fake number combinations.

  • Incomplete Powerpoint slides Import to Captivate

    If anyone can help, it would be great. everytime i import powerpoint into captivate, the last one-fifth of the slide (every single slide) is missing. it used to import just fine and all of a sudden it is not working. why is this?

    This was posted in the sharing and storage forum. I am moving it to the appropriate forum at:
    http://forums.adobe.com/community/adobe_captivate

Maybe you are looking for

  • I can't change the display language on my HP Color LaserJet CP1518ni

    I have a HP Color LaserJet CP1518ni printer that I inherited from an employee who is no longer at the company. The display screen on the printer is not showing in English, it's in some language I do not recognize (and neither does anyone else). I wan

  • An erroe message please see other link ( inside the post )

    A new discussion related to : https://discussions.apple.com/thread/5317193?start=15&tstart=0 I had a Live Chat with an Apple advisor , he said : The problem started when you updated to 10.8.5, but the reason is because your external drives were conne

  • Advice needed regarding hands free ring tone

    I own a curve 8520 & also use a Bluetooth Supertooth visor go hands free kit in the car. When the two items are paired and i receive a call the ring tone from the hands free kit is not the same as the ring tone on the phone. When this happened with m

  • Image Stretched in DVD Menu

    Hey! I'm having some issues with an image I made for the DVD menu. I created an image in Illustrator (720 x 480), saved it as a JPEG maximum quality and imported it into DVD Studio Pro. The DVD is in SD and is dimensions are (720 x 480). However, whe

  • LOAD_PROGRAM_LOST (NOTE 5451 )

    Hi Sap Gears! I`m having this issue all the time in the execution of a program in SAP 4.6C system.  I try to search this problem in the forum and i tryed a lot of time open error message to SAP, but they dont understand my problem.... When i execute