Movie playing in reverse

Hi All
I decided to make a Star Wars srolling title for my cousins birthday. Unfortunatley, it's playing in reverse. Any suggestions on how to flip it and how to add audio?
Thanks in advance
Dean

With the video in keynote:
Rewind movie (by frame if paused) J (hold down)
Pause or play movie K
Fast-forward movie (by frame if paused) L (hold down)
Jump to beginning of movie I
Jump to end of movie O
Look under the help menu/keyboard shortcuts in keynote for more shortcuts...
Also in keynote if you hold the cursor over the video...the video controls will appear (set this in keynote's preferences).

Similar Messages

  • Making movie clips play in reverse in AS 3.0

    Hey all. I'm changing all my files to AS 3.0 because of some
    new elements I'd like to use in flash CS4.
    Here:
    http://www.iaw-atlanta.com/IvyLeague1-13-09.html
    I have the menu navigation at the bottom with 4 buttons. When the
    buttons are moused over they ascend and when they are moused out
    the movie plays in reverse so that they descend. Basically in the
    movie clip, I have it stopped as well as gotoAndPlay the next frame
    when the button is moused over and then have a script telling it to
    reverse when moused out. I know how to do this in AS 2.0 but how
    can I translate the script to 3.0?

    DjPhantasy5,
    > Ok thanks, I'll see what he also has to say as well.
    Actually, NedWebs pretty much nailed it. :) The approach
    you've taken
    is an interesting one, because it scales all the way back to
    Flash Player 5,
    which didn't yet support the MovieClip.onEnterFrame event.
    Without that
    event, you need something like your "controller" symbol -- a
    separate
    looping timeline -- to perform code that depends on frame
    loops.
    Available as of Flash Player 6, that event would allow you
    to
    consolidate your code a bit by putting it all in a single
    frame and avoiding
    the extra movie clip symbol. That doesn't mean your approach
    is wrong, by
    any stretch. In fact, it's good to know your options, because
    if you ever
    need to publish to Flash Player 5, you'll probably do best to
    use the setup
    you've taken.
    I'll demonstrate onEnterFrame in just a bit, in case you
    want to take a
    look at that.
    >> there's no _root reference in AS3, but you can use a
    >> MovieClip(this.parent) (which replaces what _parent
    >> used to do) to locate something outside of the
    immediate
    >> movieclip.
    The term "parent," in this context, is technically a
    property of the
    MovieClip class, which means all movie clips in AS3 have
    access to the
    "parent" feature, which points to the timeline that contains
    the movie clip
    in question. Buttons also feature a "parent" property. In
    AS2, this
    property acted exactly the same, only it was preceeded by an
    underscore.
    In fact, NedWebs' suggested code works the same in your
    existin file.
    Instead of this:
    // Your existing code ...
    if (_root.animation._currentframe>1) {
    _root.animation.prevFrame();
    this.gotoAndPlay(2)
    if (_root.animation._currentframe<=1) {
    this.gotoAndStop(1);
    ... you could be using this:
    // Alternative code ...
    if (_parent.animation._currentframe>1) {
    _parent.animation.prevFrame();
    gotoAndPlay(2)
    if (_parent.animation._currentframe<=1) {
    gotoAndStop(1);
    ... because from this scope -- that is, from this point of
    view -- the
    MovieClip._parent property points to the same timeline that
    _root does.
    That changes, of course, based on how deeply nested the
    current scope is.
    The term "this" in the above code is optional, because Flash
    understands
    what scope you're in. From the point of view of this code,
    _parent is
    understood to refer to the current scope's parent timeline,
    just like
    gotoAndPlay() is understood to refer to the current scope's
    own timeline.
    You could precede either of those by "this" or not.
    Many people will argue that _root is probably best avoided,
    only because
    it's a slippery slope. It doesn't always refer to the main
    timeline you
    think it does, depending on whether or not your SWF is loaded
    into another
    SWF at runtime. Meanwhile, _parent *always* refers to the
    immediately
    parent timeline.
    So when you look at it that way, this perfectly valid AS2:
    if (_parent.animation._currentframe>1) {
    ... isn't much different at all from its AS3 counterpart:
    if (MovieClip(parent).animation.currentFrame>1) {
    It would be nicer if you didn't need to cast the parent
    reference as a
    movie clip here, but if you don't, AS3 doesn't realize that
    the scope in
    question is a movie clip.
    >> You can string them along as...
    >> MovieClip(this.parent.parent)
    Exactly.
    >> Your _currentframe in the the controller becomes
    >> currentFrame. That's about it. The rest of what I
    >> saw will fly as is.
    Not quite. AS3 doesn't support the on() or onClipEvent()
    functions, so
    you won't be able to attach your code direction to the
    button. Instead,
    you'll have to put it in a keyframe -- which you can also do
    with AS2. It's
    a good idea, in any case, because it allows you to put all
    your code in one
    place, making it easier to find.
    Here's a quick note on direct attachment:
    http://www.quip.net/blog/2006/flash/museum-pieces-on-and-onclipevent
    To convert your existing FLA structure to AS3, you might,
    for example,
    do this:
    animation.buttonMode = true;
    animation.addEventListener(MouseEvent.ROLL_OUT, outHandler);
    animation.addEventListener(MouseEvent.ROLL_OVER,
    overHandler);
    function outHandler(evt:MouseEvent):void {
    controller.gotoAndPlay(2);
    function overHandler(evt:MouseEvent):void {
    controller.gotoAndPlay(4);
    That takes care of the on(rollout) and on(rollover) code in
    your current
    version. The first line (buttonMode) is only necessary
    because I got rid of
    the button symbol and, instead, associated the event handlers
    directly with
    your animation clip. (Movie clips handle button-style events,
    too, so you
    don't need the button.) In AS3, event handling is very
    straightforward:
    you reference the object (here, animation), invoke its
    inherited
    addEventListener() method, then pass in two parameters: a)
    the event to
    listen for, and b) the function to perform when that event
    occurs.
    You can see that spelled out above. In AS2, there are quite
    a few ways
    to handle events, including on()/onClipEvent(), so it's
    harder to know when
    to use what approach. For buttons and movie clips, the
    princple works the
    same as I just showed, but the syntax is different.
    Let's take a quick look at reducing all this code by using
    the
    onEnterFrame event. First, check out this AS2 version:
    animation.onRollOut = outHandler;
    animation.onRollOver = overHandler;
    function outHandler():Void {
    this.onEnterFrame = reversePlay;
    function overHandler():Void {
    this.onEnterFrame = null;
    this.play();
    function reversePlay():Void {
    this.prevFrame();
    All of that code would appear in frame 1. You don't need the
    controller
    movie clip. The animation clip no longer contains an orb
    button, because
    we're using animation itself as the "button". (You can always
    see what
    functionality any object has by looking up its class. If
    you're dealing
    with a movie clip, look up the MovieClip class. See the
    Properties heading
    to find out what characteristics the object has, see Methods
    to find out
    what the object can do, and see Events to find out what the
    object can react
    to.)
    In the above code, it's all laid out pretty easily. This is
    AS2,
    remember. We have two events we're listening for:
    MovieClip.onRollOut and
    MovieClip.onRollOver. Those events are established for the
    animation movie
    clip by way of its instance name, and associated with
    corresponding custom
    functions. The outHandler() function associates yet another
    function to the
    MovieClip.onEnterFrame event of the animation clip. Very
    simply, it
    instructs animation to perform the custom reversePlay()
    function every time
    it encounters an onEnterFrame event. The overHandler()
    function kills that
    association by nulling it out, and telling animation to play,
    via the
    MovieClip.play() method. Finally, the reversePlay() function
    simply invokes
    MovieClip.prevFrame() on the animation clip.
    Here's the AS3 version:
    animation.buttonMode = true;
    animation.addEventListener(MouseEvent.ROLL_OUT, outHandler);
    animation.addEventListener(MouseEvent.ROLL_OVER,
    overHandler);
    function outHandler(evt:MouseEvent):void {
    animation.addEventListener(Event.ENTER_FRAME, reversePlay);
    function overHandler(evt:MouseEvent):void {
    animation.removeEventListener(Event.ENTER_FRAME,
    reversePlay);
    animation.play();
    function reversePlay(evt:Event):void {
    evt.target.prevFrame();
    It looks wordier, but if you look carefully, you'll see that
    it's
    essentially the same thing. The main difference is the way
    scope works in
    AS3. In AS2, there are numerous references to "this", because
    the event
    handler functions operate in the same scope as the object to
    which the
    association is made. In AS3, the references aren't to "this",
    but rather to
    the same animation clip by its *intance name*, because in
    AS3, the scope
    operates in the same timeline in which the code appears
    (namely, in this
    case, the main timeline).
    In the reversePlay() function, in order to emulate a "this"
    sort of
    setup, I'm referring to the parameter that gets passed to all
    event handler
    functions in AS3. I happened to name it "evt" (for event),
    but you can call
    it what you like. In the case of reversePlay(), the evt
    parameter refers to
    an instance of the Event class, which has a target property.
    The target
    property refers to the object that dispatched the event --
    happens to be
    animation, in this case. So evt.target, in this context,
    refers to
    animation, which is what I invoke the MovieClip.prevFrame()
    method on.
    I've uploaded a handful of FLA files to my server. I won't
    keep them
    there forever ... maybe a couple weeks, as of this post:
    http://www.quip.net/RewindTestAS3.fla
    http://www.quip.net/RewindTestAS3_new.fla
    http://www.quip.net/RewindTestAS2_new.fla
    David Stiller
    Co-author, ActionScript 3.0 Quick Reference Guide
    http://tinyurl.com/2s28a5
    "Luck is the residue of good design."

  • How do i have clips play in reverse

    I need help! How do u make the clips in your movie play in reverse and the music play forward HELP!!!!!!!!!!!!!!!!!!!!!

    'Search' is your friend..
    read reply on same topic here..
    http://discussions.apple.com/click.jspa?searchID=10830738&messageID=7320531
    .. and please avoid double posts.. http://discussions.apple.com/thread.jspa?threadID=1550375&tstart=0

  • Getting a movie clip to play in reverse

    I have this script to play a movie clip.
    What do I write to get it play in reverse?
    function fadeUp(event:MouseEvent):void {
        buttonFadeOver_mc.play()

    You need to use an enterframe event listener to continuously call prevFrame() until you see that you have reached the starting frame (by checking the currentFrame property).  Once you detect you are at the start you remove the event listener.

  • HT203175 Reloaded Itunes on an XP machine. Reloaded because Itunes would not open. Now when I play a movie that is in my library, The movie plays for aprx. 60 seconds and then reverts back to my Itunes library. Any ideas on a cure?

    Reloaded Itunes on an XP machine. Reloaded because Itunes would not open. Now when I play a movie that is in my library, the movie plays for aprx. 60 seconds and then reverts back to my Itunes library. Does it with all movies in the library, Most where downloaded from Itunes. Any ideas on a cure?

    This "original file cannot be found" thing happens if the file is no longer where iTunes expects to find it. Possible causes are that you or some third party tool has moved, renamed or deleted the file, or that the drive it lives on has had a change of drive letter. It is also possible that iTunes has changed from expecting the files to be in the pre-iTunes 9 layout to post-iTunes 9 layout,or vice-versa, and so is looking in slightly the wrong place.
    Select a track with an exclamation mark, use Ctrl-I to get info, then cancel when asked to try to locate the track. Look on the summary tab for the location that iTunes thinks the file should be. Now take a look around your hard drive(s). Hopefully you can locate the track in question. If a section of your library has simply been moved, or a drive letter has changed, it should be possible to reverse the actions.
    Alternatively, as long as you can find a location holding the missing files, then you should be able to use my FindTracks script to reconnect them to iTunes .
    tt2

  • Making the main stage timeline play in reverse.

    Hey all thanks for looking. I figured out how to do this with movie clips but I can't seem to get it right with the main stage. Can anyone tell me a simple methood of telling the stage to continue playing in reverse, after a button is clicked, until it reaches a keyframe that will tell it to stop? I'm trying to make it so buttons will tell the stage to play a transition from beginning to end and then have it play in reverse when the "back" button is pressed. I'm currently searching online to find an answer but I haven't had any luck yet. Thanks for the help!

    KgIad -- tried to use this code but I am getting
    TypeError: Error #2007: Parameter listener must be non-null.
    Which appears to be caused by the changeTimelineF not being recognized. If I create it as
    private function changeTimelineF(e:Event) {
    if(startFrame<endFrame){
                e.currentTarget.mc.nextFrame();
            } else {
                e.currentTarget.mc.prevFrame();
            if(e.currentTarget.mc.currentFrame==e.currentTarget.endFrame){
                e.currentTarget.removeEventListener(Event.ENTER_FRAME,changeTimelineF);
    Then it is recognized--but the variables (e.g. startFrame and endFrame) are no longer valid.
    What am I missing?
    Thanks
    Mike

  • Play in Reverse

    PLEASE LOOK AT MY NEWEST POST!!
    Hello, I was wondering if someone could guide me a little
    with playing a movie clip in reverse. The major problem I'm having,
    though, is that I have a frame-by frame animation withing a movie
    clip called 'card' of a card flipping over. Now 'card' itself is
    also tweened to move to the left and change in size as it flips
    over, and also has an independent drop shadow for effect. So I need
    to have everything go in reverse; the frame-by frame within 'card',
    as well as the right to left tween and drop shadow on the main
    timeline.
    My ultimate goal is to have the user click on the card, it
    will flip over in one direction, click on it again, and it will
    reverse and flip back to it's original position.
    Thanks in advance for any help on this.
    P

    Well, I've decided to take a completely new approach.
    I have reversed the frames in my movie clips, and I am far
    closer to what I want to achieve. However, I still need to find a
    way to remember if the card has flipped already, and when to flip
    from frame 1.
    Here are my files, please do have a look:
    Fla
    swf
    I would still prefer to play in reverse, but I cannot figure
    this out...
    Cheers for any insight!
    P

  • DVDPlayer not recognizing DVD. I have an IMAC (10.7.4) using DVDPlayer (vers. 5500.26.11) and will not recognize/play a dvd movie...it thinks it is a blank dvd.  The dvd movie plays fine on my Mac Book Pro (10.6.8) on the Pro's DVDPlayer (vers.5.4).

    IMAC DVD Player does not recognizing dvd movie . I have an IMAC (10.7.4) using DVDPlayer (vers. 5500.26.11) and it will not recognize/play a dvd movie...it thinks it is a blank dvd. The IMAC will play rented dvd movies.   The dvd movie plays fine on my Mac Book Pro (10.6.8) on the Pro's DVDPlayer (vers.5.4) abd in my external Sony DVD Player  The dvd move was made/burned on a PC.   Why will a dvd movie play on my Macbook Pro and not my IMAC?

    Hello:
    This is not an area I have much experience in......I rarely insert DVDs and I have never had a similar problem.
    When the DVD is in the drive (and DVD players is open) click on File>get disk info.
    Barry

  • FCP 4: NTSC monitor image FROZEN/movie plays JITTERY in canvas window.

    Hey guys. This started yesterday. Every time I hit play, the image from the frame I began playing at on the timeline remains frozen on my NTSC monitor, while the movie plays jittery, roughly, totally unsmoothly in the canvas window. I'm pretty sure I've tried all of Shane's answers, but right now I'm stuck. Any help is immensely appreciated.
    PowerPC G4   Mac OS X (10.3.9)  

    Shane's stock answers addresses this, but make sure
    that under the View mene that you are set to "All
    Frames" and not "Single Frame"
    Yeah, I had that covered from the beginning, but this sucker is stuck on whatever frame I begin to play from.
    Powerbook G3 Pismo 500 Mac OS X (10.3.7)
    Powerbook G3 Pismo 500 Mac OS X (10.3.7)

  • Movies playing in iTunes will not show closed captions

    I have purchased several movies from the iTunes store. They all have Closed Captioning listed in the store description. I need Closed Captioning because I have hearing loss and even with my hearing aids, I cannot hear all the dialogue in movies.
    In my iTunes app, I opened Preferences-->Playback and checked the box for "Show closed captioning when available." Then I play the movie in iTunes. No captions. I click on the Controls menu for Audio & Subtitles. It's grayed out.
    I go to the .m4v file in Finder and open the movie with Quicktime to see whether I can get captions that way. No captions. I check the View menu for Show Closed Captioning. It's grayed out.
    At this point I'm thinking these movies do not really HAVE captions, despite what the store description said. However, this proves to be wrong because I turn on my TV and start up my Apple TV 3. I select "Movies" and then "Purchased" and find these movies. When I play these movies via the Apple TV, they all show up on the TV screen with the captions working perfectly.
    So, what gives? I've spent hours searching the internet for a solution, but all I can find is that the selection I've made in iTunes preferences *should* make the captions show up in iTunes. I'm stumped. I want to play the movies on my computer in iTunes (or in Quicktime) so that I don't have to be at my house in front of my TV in order the enjoy them. Is there any way I can make these movies play in iTunes with the captions showing? Can anyone make any suggestions? I'd be very grateful if someone could help me achieve this goal.

    I have same problem with my son's iPod Touch running iOS 5.1.1.  I set "explicit" to off, but then many songs we purchased on iTunes that are labeled as "clean" do not show up on his iPod Touch. If I set "explicit" to on, they do show up.

  • How do I use airplay to stream a DVD movie playing in my computer to display on my TV?

    How do I use airplay to stream a DVD movie playing in my computer to display on my TV?
    I have a 2nd generation Apple TV and computer is a 2011 Macbook Pro. Processor  2.8 GHz Intel Core i7. Memory  4 GB 1333 MHz DDR3. Graphics  Intel HD Graphics 3000 384 MB. Software  Mac OS X Lion 10.7.5 (11G63). Storage: about 500GB free out of 750GB.
    I have a DVD player within my computer. Trying to play a movie from my computer to display onto my TV using my Apple TV airplay. But the airplay icon is not showing or giving the option to play a movie onto my TV.
    I've installed all software updates and still I'm not able to have this functionality.
    I assume this functionality exists where I can play a DVD on my computer, but watch it on my TV using my Apple TV, correct?
    Thanks for your help solving this puzzle.

    Welcome to the Apple Community.
    AirPlay Mirroring requires a second-generation Apple TV or later, OS X 10.8 or better and is supported on the following Mac models: iMac (Mid 2011 or newer), Mac mini (Mid 2011 or newer), MacBook Air (Mid 2011 or newer), and MacBook Pro (Early 2011 or newer). You can see which Mac you have and which operating system you are using by selecting 'About this Mac' from the Apple menu in the top left corner of your Mac and selecting the 'More Info' button.
    AirPlay Mirroring from a Mac also requires a fairly robust network.
    You may find a third party product that you can use instead of AirPlay.

  • Mirror zoomed-in movie playing on iPod Touch 5g to Apple TV via Airplay?

    Is it possible to mirror a zoomed-in movie (1080p) playing on my iPod Touch 5g to the 3rd gen Apple TV via Airplay? 
    My Soniq TV doesn't have a zoom feature and I know that Apple TV can't zoom.
    I want the movie to fill the entire screen of my TV (I don't mind cropping some of the edges off).  I can zoom in on the movie playing on my iPod Touch 5g but when I enable airplay mirroring to the Apple TV, it reverts to the 1080p format with black bands along the top and bottom.  I know it is using airplay and not mirroring to play the video on the Apple TV but I want to display exactly what's showing on my iPod Touch 5g on the Apple TV.  Is there a work-around or an app in the App Store that enables this?

    Troubleshooting AirPlay and AirPlay Mirroring
    Apple TV: How to use AirPlay Mirroring
    Using AirPlay
    Did it work before?

  • I bought a Sandisk Connect Media Drive, downloaded the app from iTunes.  Before iOS 8, movies played fine.  After iOS upgrade I can no longer play movies downloaded from iTunes to the media drive.  Anyone else have a similar issue?

    I bought a Sandisk Connect Media Drive, downloaded the app from iTunes.  Before iOS 8, movies played fine.  After iOS upgrade I can no longer play movies downloaded from iTunes to the media drive.  Anyone else have a similar issue?

    I checked with SanDisk's own online support and they indicate that they have notified Apple of the issue.
    According to SanDisk, the problem lies with Apple not having the iOS 8 version of the Safari browser having DRM decoding enabled that the Media Drive relies upon to decode and play iTunes DRM titles. Non DRM encoded videos will play in the browser.
    DRM audio is not effected as this is handled by the native iOS music app.
    As of the date of this post SanDisk have not been given a timeframe by Apple for this issue to be resolved.
    I hope that Apple resolves this issue quickly as I have a large collection of DRM video titles on a 128Mb memory card installed in the Media Drive that I am unable to view.

  • Updated iPad 2 last night.  All movies (9) on my iPad can no longer be viewed.  The movie plays but the photos and scene selection are blank. How do I fix this

    Updated iPad 2 last night.  All movies (9) on my iPad can no longer be viewed.  The movie plays but the photos and scene selection are blank. How do I fix this

    Quit the app and restart the iPad.
    In order to quit or close apps - Go to the home screen first by tapping the home button. Quit/close open apps by double tapping the home button and the task bar will appear with all of you recent/open apps displayed at the bottom. Tap and hold down on any app icon until it begins to wiggle. Tap the minus sign in the upper left corner to close the apps. Restart the iPad. Restart the iPad by holding down on the sleep button until the red slider appears and then slide to shut off. To power up hold the sleep button until the Apple logo appears and let go of the button.
    Try the videos app again.

  • HT1498 I just bought Apple TV 2 weeks ago. I have a brand new Samsung LED TV. Everything works fine.  I rented a movie from iTunes and it took 4 hours to download. My friend said this is wrong, his movies play instantly, so what's wrong?

    I just bought Apple TV 2 weeks ago. I have a brand new Samsung LED TV. Everything works fine.  I rented a movie from iTunes and it took 4 hours to download. My friend said this is wrong, his movies play instantly, so what's wrong?

    I just bought Apple TV 2 weeks ago. I have a brand new Samsung LED TV. Everything works fine.  I rented a movie from iTunes and it took 4 hours to download. My friend said this is wrong, his movies play instantly, so what's wrong?

Maybe you are looking for

  • How to sync iphone on new iMac, coming from Vista, without loosing data?

    Hello people, I'm in an awkward situation as i think most people are when dealing with this kind of problem. I searched the forum for something like this but with no success. So my question in detail is: I came from a PC world, with windows vista and

  • Question : SAP xMII 11.5 Servlet Exec Stack / Unresponsive

    Hello SAP xMII Master, I need your suggestion and assist. Since migrated from Lighthammer Illuminator 10.0 to SAP xMII 11.5, we frequently having problem Servlet Exec stack/unresponsive and looks like hang. If happened, fast solution usually to resta

  • Error in duplicating dataguard, RMAN-04006: error from auxiliary,ORA-12514

    Hi All, Trying to duplicate using rman and facing below issue rman TARGET sys/oracle@pawsdb AUXILIARY sys/oracle@adpaws Recovery Manager: Release 11.2.0.3.0 - Production on Tue Jun 19 20:47:09 2012 Copyright (c) 1982, 2011, Oracle and/or its affiliat

  • Cannot access deployed JDeveloper App in Weblogic Server

    I have built and successfully deployed an Oracle JDeveloper 11.1.2.2.0 web application using ADF security to a clustered (two servers) Weblogic 10.3.5.0 server. The login page comes up when I type in the URL but upon submitting the login page I get t

  • ESS and MSS objects translation and localization

    Hello, we are implementing ESS on our ERP system and I have problem with translation of standard objects in ESS (pages, worksets, iviews). If I copy standard objects into new map, change default language on user to english, I can edit and rename obje