Capture a frame from a video clip and save as a photo

I create a freeze frame in a video clip, select it, and cut it, but it doesn't go into the general copy/paste buffer. How can I export the frame as a photo?

See my post here for full instructions.
https://discussions.apple.com/docs/DOC-3231

Similar Messages

  • Re: how to capture a frame from a video file and save it as a jpeg

    package com.snn.multimedia;
    * @(#)FrameAccess.java     1.5 01/03/13
    * Copyright (c) 1999-2001 Sun Microsystems, Inc. All Rights Reserved.
    * Sun grants you ("Licensee") a non-exclusive, royalty free, license to use,
    * modify and redistribute this software in source and binary code form,
    * provided that i) this copyright notice and license appear on all copies of
    * the software; and ii) Licensee does not utilize the software in a manner
    * which is disparaging to Sun.
    * This software is provided "AS IS," without a warranty of any kind. ALL
    * EXPRESS OR IMPLIED CONDITIONS, REPRESENTATIONS AND WARRANTIES, INCLUDING ANY
    * IMPLIED WARRANTY OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE OR
    * NON-INFRINGEMENT, ARE HEREBY EXCLUDED. SUN AND ITS LICENSORS SHALL NOT BE
    * LIABLE FOR ANY DAMAGES SUFFERED BY LICENSEE AS A RESULT OF USING, MODIFYING
    * OR DISTRIBUTING THE SOFTWARE OR ITS DERIVATIVES. IN NO EVENT WILL SUN OR ITS
    * LICENSORS BE LIABLE FOR ANY LOST REVENUE, PROFIT OR DATA, OR FOR DIRECT,
    * INDIRECT, SPECIAL, CONSEQUENTIAL, INCIDENTAL OR PUNITIVE DAMAGES, HOWEVER
    * CAUSED AND REGARDLESS OF THE THEORY OF LIABILITY, ARISING OUT OF THE USE OF
    * OR INABILITY TO USE SOFTWARE, EVEN IF SUN HAS BEEN ADVISED OF THE
    * POSSIBILITY OF SUCH DAMAGES.
    * This software is not designed or intended for use in on-line control of
    * aircraft, air traffic, aircraft navigation or aircraft communications; or in
    * the design, construction, operation or maintenance of any nuclear
    * facility. Licensee represents and warrants that it will not use or
    * redistribute the Software for such purposes.
    import java.util.Date;
    import java.util.Arrays;
    import java.util.Iterator;
    import javax.imageio.ImageIO;
    import javax.imageio.stream.ImageOutputStream;
    import javax.imageio.ImageWriter;
    import java.awt.*;
    import java.awt.image.BufferedImage;
    import java.awt.image.DataBufferByte;
    import javax.media.*;
    import javax.media.control.FramePositioningControl;
    import javax.media.control.TrackControl;
    import javax.media.Format;
    import javax.media.format.*;
    import javax.media.util.BufferToImage;
    import javax.media.util.ImageToBuffer;
    import java.io.FileOutputStream;
    import java.io.OutputStream;
    import com.sun.image.codec.jpeg.*;
    * Sample program to access individual video frames by using a
    * "pass-thru" codec. The codec is inserted into the data flow
    * path. As data pass through this codec, a callback is invoked
    * for each frame of video data.
    public class FrameAccess extends java.awt.Frame implements ControllerListener
    Processor p;
    Object waitSync = new Object();
    boolean stateTransitionOK = true;
    * Given a media locator, create a processor and use that processor
    * as a player to playback the media.
    * During the processor's Configured state, two "pass-thru" codecs,
    * PreAccessCodec and PostAccessCodec, are set on the video track.
    * These codecs are used to get access to individual video frames
    * of the media.
    * Much of the code is just standard code to present media in JMF.
    public boolean open(MediaLocator ml)
    try
    p = Manager.createProcessor(ml);
    catch (Exception e)
    System.err.println("Failed to create a processor from the given url: "
    + e);
    return false;
    p.addControllerListener(this);
    // Put the Processor into configured state.
    p.configure();
    if (!waitForState(p.Configured))
    System.err.println("Failed to configure the processor.");
    return false;
    // So I can use it as a player.
    p.setContentDescriptor(null);
    // Obtain the track controls.
    TrackControl tc[] = p.getTrackControls();
    if (tc == null)
    System.err.println("Failed to obtain track controls from the processor.");
    return false;
    // Search for the track control for the video track.
    TrackControl videoTrack = null;
    for (int i = 0; i < tc.length; i++)
    if (tc.getFormat() instanceof VideoFormat)
    videoTrack = tc[i];
    break;
    if (videoTrack == null)
    System.err.println("The input media does not contain a video track.");
    return false;
    VideoFormat currentFormat = (VideoFormat)videoTrack.getFormat();
    System.err.println("Video format: " + videoTrack.getFormat() );
    videoTrack.setFormat(new VideoFormat("RGB", currentFormat.getSize(), currentFormat.getMaxDataLength(), currentFormat.getDataType(), currentFormat.getFrameRate()));
    // Instantiate and set the frame access codec to the data flow path.
    try
    // Try to retrieve a FramePositioningControl from the player.
    FramePositioningControl fpc = (FramePositioningControl) p.getControl("javax.media.control.FramePositioningControl");
    if (fpc == null)
    System.err.println("The player does not support FramePositioningControl.");
    System.err.println("There's no reason to go on for the purpose of this demo.");
    return false;
    Time duration = p.getStopTime();
    long totalFrames = 0;
    if (duration != Duration.DURATION_UNKNOWN)
    System.err.println("Movie duration: " + duration.getSeconds());
    totalFrames = fpc.mapTimeToFrame(duration);
    if (totalFrames != FramePositioningControl.FRAME_UNKNOWN)
    System.err.println("Total # of video frames in the movies: "
    + totalFrames);
    } else
    System.err.println("The FramePositiongControl does not support mapTimeToFrame.");
    } else
    System.err.println("Movie duration: unknown");
    long[] frames;
    if (totalFrames > 0L)
    double intervalDouble = Math.floor(totalFrames / 5.0);
    long interval = new Double(intervalDouble).longValue();
    frames = new long[5];
    frames[0] = 1;
    frames[1] = frames[0] + interval;
    frames[2] = frames[1] + interval;
    frames[3] = frames[2] + interval;
    frames[4] = frames[3] + interval;
    } else
    frames = new long[1];
    frames[0] = 1;
    // Codec codec[] = { new PreAccessCodec(), new PostAccessCodec()};
    Codec codec[] = { new OverlayCodec(frames)};
    videoTrack.setCodecChain(codec);
    catch (UnsupportedPlugInException e)
    System.err.println("The process does not support effects.");
    // Realize the processor.
    p.prefetch();
    if (!waitForState(p.Prefetched))
    System.err.println("Failed to realize the processor.");
    return false;
    // Display the visual & control component if there's one.
    setLayout(new BorderLayout());
    Component cc;
    Component vc;
    if ((vc = p.getVisualComponent()) != null)
    add("Center", vc);
    if ((cc = p.getControlPanelComponent()) != null)
    add("South", cc);
    // Start the processor.
    p.start();
    setVisible(true);
    return true;
    public void addNotify()
    super.addNotify();
    pack();
    * Block until the processor has transitioned to the given state.
    * Return false if the transition failed.
    boolean waitForState(int state)
    synchronized (waitSync)
    try
    while (p.getState() != state && stateTransitionOK)
    waitSync.wait();
    catch (Exception e)
    return stateTransitionOK;
    * Controller Listener.
    public void controllerUpdate(ControllerEvent evt)
    if (evt instanceof ConfigureCompleteEvent
    || evt instanceof RealizeCompleteEvent
    || evt instanceof PrefetchCompleteEvent)
    synchronized (waitSync)
    stateTransitionOK = true;
    waitSync.notifyAll();
    } else
    if (evt instanceof ResourceUnavailableEvent)
    synchronized (waitSync)
    stateTransitionOK = false;
    waitSync.notifyAll();
    } else
    if (evt instanceof EndOfMediaEvent)
    p.close();
    System.exit(0);
    * Main program
    public static void main(String[] args)
    if (args.length == 0)
    prUsage();
    System.exit(0);
    String url = args[0];
    if (url.indexOf(":") < 0)
    prUsage();
    System.exit(0);
    MediaLocator ml;
    if ((ml = new MediaLocator(url)) == null)
    System.err.println("Cannot build media locator from: " + url);
    System.exit(0);
    FrameAccess fa = new FrameAccess();
    if (!fa.open(ml))
    System.exit(0);
    static void prUsage()
    System.err.println("Usage: java FrameAccess <url>");
    * Inner class.
    * A pass-through codec to access to individual frames.
    public class PreAccessCodec implements Codec
    * Callback to access individual video frames.
    void accessFrame(Buffer frame)
    // For demo, we'll just print out the frame #, time &
    // data length.
    long t = (long) (frame.getTimeStamp() / 10000000f);
    System.err.println("Pre: frame #: " + frame.getSequenceNumber()
    + ", time: " + ((float) t) / 100f + ", len: "
    + frame.getLength());
    * The code for a pass through codec.
    // We'll advertize as supporting all video formats.
    protected Format supportedIns[] = new Format[] {
    new VideoFormat(null)
    // We'll advertize as supporting all video formats.
    protected Format supportedOuts[] = new Format[] {
    new VideoFormat(null)
    Format input = null, output = null;
    public String getName()
    return "Pre-Access Codec";
    // No op.
    public void open()
    // No op.
    public void close()
    // No op.
    public void reset()
    public Format[] getSupportedInputFormats()
    return supportedIns;
    public Format[] getSupportedOutputFormats(Format in)
    if (in == null)
    return supportedOuts;
    } else
    // If an input format is given, we use that input format
    // as the output since we are not modifying the bit stream
    // at all.
    Format outs[] = new Format[1];
    outs[0] = in;
    return outs;
    public Format setInputFormat(Format format)
    input = format;
    return input;
    public Format setOutputFormat(Format format)
    output = format;
    return output;
    public int process(Buffer in, Buffer out)
    // This is the "Callback" to access individual frames.
    accessFrame(in);
    // Swap the data between the input & output.
    Object data = in.getData();
    in.setData(out.getData());
    out.setData(data);
    // Copy the input attributes to the output
    out.setFormat(in.getFormat());
    out.setLength(in.getLength());
    out.setOffset(in.getOffset());
    return BUFFER_PROCESSED_OK;
    public Object[] getControls()
    return new Object[0];
    public Object getControl(String type)
    return null;
    public class OverlayCodec extends PreAccessCodec
    long[] myFrames;
    BufferedImage work;
    byte[] workData;
    int width;
    int height;
    int dataLen;
    RGBFormat supportedRGB = new RGBFormat(null, // size
    Format.NOT_SPECIFIED, // maxDataLength
    Format.byteArray, // dataType
    Format.NOT_SPECIFIED, // frameRate
    24, // bitsPerPixel
    3, 2, 1, // red/green/blue masks
    3, // pixelStride
    Format.NOT_SPECIFIED, // lineStride
    Format.FALSE, // flipped
    Format.NOT_SPECIFIED); // endian
    public OverlayCodec(long[] frames)
    // force specific input format
    supportedIns = new Format[] {
    supportedRGB};
    myFrames = new long[frames.length];
    System.arraycopy(frames, 0, myFrames, 0, frames.length);
    public String getName()
    return "Capture Codec";
    public Format setInputFormat(Format format)
    if ((format != null) && (format instanceof RGBFormat)
    && format.matches(supportedRGB))
    // set up working image if valid type
    // (it should be since we insisted!)
    Dimension size = ((RGBFormat) format).getSize();
    width = size.width;
    height = size.height;
    dataLen = width * height * 3;
    if ((dataLen > 0)
    && ((work == null) || (work.getWidth() != width)
    || (work.getHeight() != height)))
    // working image - same 3-byte format as buffer
    work = new BufferedImage(width, height,
    BufferedImage.TYPE_3BYTE_BGR);
    // reference to pixel data
    workData = ((DataBufferByte) work.getRaster().getDataBuffer()).getData();
    return format;
    * Callback to access individual video frames.
    void accessFrame(Buffer in)
    try
    if (Arrays.binarySearch(myFrames, in.getSequenceNumber()) >= 0)
    BufferToImage stopBuffer = new BufferToImage((VideoFormat) in.getFormat());
    Image stopImage = stopBuffer.createImage(in);
    BufferedImage outImage = new BufferedImage(140, 96,
    BufferedImage.TYPE_INT_RGB);
    Graphics og = outImage.getGraphics();
    og.drawImage(stopImage, 0, 0, 140, 96, null);
    FileOutputStream fout = new FileOutputStream("image"
    + in.getSequenceNumber() + ".jpg");
    writeImage(outImage, fout);
    catch (Exception e)
    e.printStackTrace();
    public int process(Buffer in, Buffer out)
    try
    accessFrame(in);
    BufferToImage stopBuffer = new BufferToImage((VideoFormat) in.getFormat());
    Image stopImage = stopBuffer.createImage(in);
    ImageToBuffer outImagebuffer = new ImageToBuffer();
    out = outImagebuffer.createBuffer(stopImage, p.getRate());
    // Swap the data between the input & output.
    in.copy(out, true);
    catch (Exception e)
    e.printStackTrace();
    return BUFFER_PROCESSED_OK;
    void writeImage(BufferedImage outImage, OutputStream os) throws Exception
    Iterator writers = ImageIO.getImageWritersByFormatName("jpg");
    ImageWriter writer = (ImageWriter) writers.next();
    ImageOutputStream ios = ImageIO.createImageOutputStream(os);
    writer.setOutput(ios);
    writer.write(outImage);
    ios.close();

    Hi,
    I have a jpeg movie file 60 mins long and a text file tell me five time-lines for breaking the movie. For example, break the movie at 10:21, 16:05�
    The final output should be five small jpeg movie files. Each file contains a 90 sec (30 sec before the break time and 60 sec after the break time).
    Do you know any java library (jar) contain the library that can help me on programming this? Any existing source code? Any SDK for a movie editor can do that?
    Please help.
    Thanks
    Kenny

  • Can anyone help me figure why there is a popping sound when I move from an iphoto still image to a new video clip?  The sound has been removed from the video clips and there is another soundtrack underneath it all.  Help?

    My current project is like many I have created in the past.  I have removed the sound from my video clips and laid another soundtrack under the entire project.  Now, when I add an iphoto still image to the project, when it goes back into video there is a popping sound.  I've never had this happen in the past and have made many projects in the past just like this one.  Any way to troubleshoot this issue?  Thanks so much for your help.
    Ben

    What audio output are you using? What mac and version iMovie

  • Need to remove video clip and save audio track.

    We are trying to remove a segment of video clip and save the audio track that goes with it.    We intend to fill that open segment with transitions of still photos, all the while allowing the narrator, who has now been "clipped" to keep speaking.
    We are using CS3 Premier Pro.
    Any advise would be greatly appreciated!   Thanks for your wisdom...
    Mary M.
    Yellowstone National Park.

    Mary,
    I find that just Alt-clicking on the Video and hitting Delete to be the quickest method. That does exactly the same as Unlinking, with two keystrokes - Atl-click Video, Del key.
    Hope that helps,
    Hunt

  • Can I copy a single frame from a movie clip and paste it over a bad blank frame in the same clip?

    I have two frames in my video clip that are solid green.  I would like to copy the last good frame and paste over the green video frames for the movie to play without the green frames popping up. Is thispossible?

    You can install an App called MPEG Streamclip or you can simply pull up the clip in full screen and take a screen shot using (command+shift+3) or using (command+shift+4) to click and drag to create a box around what you would like to take a snap shot of.

  • Audio from video clip and layering

    ok, I need help! I finally figured out how to take audio from a video clip and place it over pictures or layer it over other audio. Now, I want to start with a video clip, it happens to be an interview, cut away to some pictures or other muted video, and come back to the interview, all with the audio playing the whole time and lined up correctly....how do i do this? THANKS!!

    Thanks David
    I found this here http://www.apple.com/findouthow/movies/#tutorial=extendaudio
    To extend audio across multiple clips:
    1. In the Project area, select the clip that contains the audio you’d like to extend into a second clip. Select the last few seconds of the first clip that contain the audio you want.
    2. To split the first clip, choose Edit > Split Clip.
    3. Control-click the selected clip and choose “Reveal in Event Browser.”
    4. In the Event browser, Command-Shift-drag the clip to extract the audio and place it at the start of the next clip.
    5. Delete the video portion of the clip you split in step 2.
    Because you’ve extracted the audio from exactly the part of the clip you split, the audio seamlessly plays across the next shot
    I am going to try this tonight and see how easy it is

  • Making simple Cross desolves at the end of still photo clips from my library. Not making a clean disolve beteen. Single frames from the previous clip are flashing half way through the desolve. Did both a drag and drop and insert disolve.

    Making simple cross desolves at the end of still photo clips from my library.
    Not making a clean disolve between clips.
    Single frames from the previous clip are flashing half way through the desolve.
    Did both a drag and drop and insert disolve.

    Making simple cross desolves at the end of still photo clips from my library.
    Not making a clean disolve between clips.
    Single frames from the previous clip are flashing half way through the desolve.
    Did both a drag and drop and insert disolve.

  • I cannot save a frame from a video following the recent Apple recall to replace my hard drive. There is no menu option with share  and save frame. Do I need to reinstall Final Cut Pro?

    Since the recent replacement of my hard drive, I cannot save a frame from a video. There is no menu option with share and "save frame"  I used to be able to do this.
    Please help

    In the Share popup select Add Destionation to go to the Destination preference. Drag still image to the sidebar to make it available in the popup.

  • Capturing a frame from a *.mov file

    I need to capture a frame from a *.mov movie file, but Elements 9 apparently does not recognize that file format.  Does anyone know a way to do what I need to do either by changing the file format to something Elements 9 does recognize or by some other way?  If Elements 9 does recognize the .mov format, what am I doing wrong?  With Elements open, but no file selected, I click on Import/frame from video, then browse to the .mov file after selecting (all files).  When try to open the .mov file,  Elements says it is an unsupported file type.
    I am using Windows Vista.
    Robert Carney

      Hi Robert, you can do this in Windows Movie Maker on Vista
    1) Click Import Media
    2) Navigate to your video folder and select All Files (*.*) from the dropdown
    3) highlight your MOV file and click the Import button
    4) Play your clip and pause where you want the screen grab
    5) On the menu bar click tools and choose Take Picture From Preview
    6) Save as Jpeg
     

  • How can I export a still picture from a video clip?

    How can I export a still picture from a video clip?

    I'm able to export stills from iMovie without anything extra. I create a new project - call it Exports say. Now, in your event clip with the frames you want as stills, select a single frame and drag it into your project. Repeat for other stills you want to export. Then choose Share -> Export Using QuickTime.
    In the pop-up, choose Movie to Image Sequence. Click Options and choose the image format you want. Playing with the number of stills lets you pick how many stills you want from each second of video. Hit OK and the stills will be generated in the directory you choose.
    I've only done this with HD video. Don't know how well it works with lower res, interlaced vid.
    HTH,
    Tom

  • Premiere Pro 7.0 dropping random frames from original video

    Here is one of many problems I am running into. When I import original video into Adobe Premiere Pro 7.0 it always leaves out a few frames in random spots scattered throughout a clip (I'm guessing this is what is referred to as dropped frames).
    I first noticed this when I went to sync the audio mp3 files, which are imported seperatly, to the video clips and found that the audio clips are a few frames longer; and the audio/video don't match up.
    I was hoping someone could shine some light onto why this is happening and what can be done to remedy it. I've fiddled around with differnt settings when loading a new project with no success.
    I am importing the origina video from a folder on my desktop. It is MPEG-2 format and came from my Sony Handycam DCR SR45 camcorder. Below are the properties for the video according to a video player on my computer.
    Video:
    MPEG-2 Video
    720x480 (16:9)
    29.97fps 9100Kbps
    Audio:
    Dolby AC3 48000Hz stereo 256Kbps (this audio doesn't show up with imported video files which is why I import seperate mp3 audio)
    P.S.
    I've recently been told that MPEG-2 files are not ideal for video editing. I've also been told that Premiere Pro doesn't recognize AC3 audio, which is why I am importing the audio seperatly as mp3 files that I have created in another program. Also I've been told that the camcorder I use is not ideal for editing purposes.
    So, if anyone sees any reasons to disagree or concur with these statements, please let me know. But, as for right now, I currently have existing video from this camcorder that I MUST make work in Adobe Premiere Pro, so please help me work with what I got. Thanks.

    I have began uploading 2 vidoes to the DropBox.
    One is the original that came from my camcorder, the other is the attempted converted DV AVI.
    The footage is a clip of a turkey hunt i filmed for a friend where a turkey is shot at and missed. The video is not that great but I still need it and other similar clips.
    I'm not sure if your familar with Dropbox or not.  We mainly use it for PDF's from architects and Contractors, but I am trying it for video for the first time.  Here is what it states for sharing files publicly:
    function(){return A.apply(null,[this].concat($A(arguments)))}
    The Public Folder lets you easily share single files in your Dropbox.  Any file you put in this folder gets its own Internet link so that you can share it with others-- even non-Dropbox users!  These links work even if your computer’s turned off. 
    Step 1:  Drop a file into the Public folder.
    Step 2: Right-click/control-click this file, then choose Dropbox > Copy Public Link. This copies the Internet link to your file so that you can paste it somewhere else.
    That's it!  You can now share this file with others: just paste the link into e-mails, instant message conversations, blogs, etc.!
    If you'd like more help with sharing files, head here: http://www.getdropbox.com/help/16
    Happy Dropboxing!
    - The Dropbox Team
    Note: You can only link to actual files within your Public Folder, not to folders.
    I guess I will try to paste these links now even though they are still uploading.  I will re-paste them later when the upload is complete.
    Original Video - http://dl.dropbox.com/u/5773253/Tom%20Turkey%20-%20Original%20MPEG2.MPG
    DV AVI - http://dl.dropbox.com/u/5773253/Tom%20Turkey%20-%20Converted%20DV%20AVI.avi
    Anyone else who want's to play around with these videos have at it.
    I'm glad I found this forum. Thanks for helpin'

  • How can I match sound quality between video clips and audio clips?

    Hi guys,
    First of all let me say that I enjoy using the latest Media Encoder. However, as a novice, I have two related problems.
    1.I am recording video to use with PowerPoint slides in Adobe Captivate. I am encoding the video with best quality FLV. This produces very good video,
          but with a degraded audio track, even though I had filtered the audio in soundbooth. The post encoding sounds like it did before Soundbooth corrections.
    2. Some of the video recording has been set cut into audio clips to be used as background narration behind PowerPoint. The logic behind this is: that if both are
          recorded at the same time, the voice quality should match.
    This is far from the outcome. I have tried MP3 for the audio which of course produced the best sound- but is entirely unlike the rest of the video. I have also encoded the audio with Windows Waveform preset figuring that since the soundbooth edit was a .wav file, that there should be a reasonable match. Wrong again!
    So, the audio quality of all clips is poor, and the difference between the encoded video clips, and the audio encoded clips spoils the otherwise professional result in Captivate.
    Please help, all of you experts.

    Thank you.
    OS Windows 7 x 64; 3.2 MHz; 2 TB; 12 GB Ram-9GB ram allocated to Adobe.
    My process is this:
    1. The whole video and audio narration material is shot in one continuous video sesseion.
    2. The microphone is only mono, but the camera is set to stereo. Noone can work out how to change the camera to mono.
    3. In Premiere Pro 5, I select render and replace in SoundBooth.
    4. In Soundbooth, I choose Add Multichannels.
    5. In Multichannels, I delete the unwanted noisy channel, and any other unused channels.
    6. With the remaining mono channel, I then select Export and Save As option, then Stereo.
    7. Next I edit the stereo channels as needed.
    8. The imported stereo won't automatically update in Premiere Pro, so in PPR I import the new edited stereo track.
    9. I test this track in PPR, to check that it is playing R & L channels. It is. OK.
    10 On the timeline, I proceed to cut apart this single stereo wavelength .
    11.These clips are saved as Video, or Audio subclips.
    12 From the video subclips, I export to Media Encoder, and choose either FLV4 match attributes (High Q). This I modify to custom 2 pass (Custom save).
         The summary says that this is saved to MP3 Stereo.
    13. I import this into Captivate 5, but the Video outcome is Left channel only. I have tested this on Media Player/Real Player where it is also L channel only.
    14. I export my Audio subclips to Media player, and select MP3 option and this summary also reports stereo. The Audio outcome is stereo, when played in any player and in Captivate 5.
    I cannot understand how a single, continuous track edited uniformly in Soundbooth to stereo, can produce different outcomes in Media player.
    I would so appreciate a solution to this problem, because, in the Captivate 5 e-learning production, the switch between stereo audio (behind PowerPoints), and l. channel video is distracting. Naturally, the l. channel only is a thin sound. It is as if it had never been edited in SoundBooth at all.

  • Subject : Slideshow looks bad  Hello guys  I have a project in my Final Cut just about done.  I want to add my slideshow as part of the project and burn it to DVD.  In my slideshow, there are some stills from the movie clips and some downloaded from the i

    Subject : Slideshow looks bad
    Hello guys
    I have a project in my Final Cut just about done.  I want to add my slideshow as part ofthe project and burn it to DVD.  Inmy slideshow, there are some stills from the movie clips and some downloadedfrom the internet but they all look blur when playback and even worse if Iapply Ken Burn to it.   Pleasesome one can tell my how to do it right or it can’t be done because thedownload quality and stills from the clip are not suitable or slideshow.  Thank you
    PSC

    Thank you Ross.
    The entire DVD containing Quick Time movies (Final CutExpress project) and slideshow was done in iPhoto.  The Final Cut project was rendered prior to export to QT,  the slideshow was sent to iDVD withoutrendering. The slideshow with most of the pictures from my still camera incombination with stills from movie clips and some downloaded from the Internet.After burning, the movie playback is perfect but the slideshow is not.  The slideshow containing 3 differentkinds of pictures; those from my still camera looks OK; the stills from themovie clips and from the Internet are not.  I don’t have much knowledge in this game, but I think NTSCwith frame size 720x480, and the downloaded picture Item Property shows most ofthem are between 400 to 500 x 300 to 600, may be both of them are not suitablefor TV screen while the stills from my still camera looks OK because they are2048x1536.  Please enlightenme.  Once again, thank you so much,I really appreciate the time you offered.
    psc

  • Inserting video clip and have both audios at once

    Hi everyone, hopefully somone can help answer my question.  My friend has a video blog and the person who used to do all of his technical stuff is no longer with him, so he's trying to figure it all out, and I figured I'd try to help him.
    In iMovie, does anyone know how to insert a video clip into the main video clip and have the inserted video being shown on the screen but the audio of both videos playing at the same time, with no break in continuity of the main video's audio?  Then, how to transition from the inserted video with both audios playing at the same time back to just the main video, again with no breaks in audio continuity?  I know it's possible on FinalCut Pro, because that is what his tech person used, but for some reason that program freezes my friend's computer, so he's stuck with iMovie for now.
    Any help would be greatly appreciated!  Thanks!

    Thanks for your reply devbear11.  You ALMOST got what I was asking for.  I'm sorry if my wording is confusing, lol.  Everything you said is great, EXCEPT that  I want to KEEP the audio on the inserted video in ADDITION to the audio on the original clip.  So to break it down....
    - Main video clip is playing.
    - Segue into the inserted video clip.  Have the screen be showing the inserted video clip and have it be playing it's own audio, WITHOUT interrupting the audio of the original/main video.
    - Inserted video clip plays on the screen and you hear both the audio of the inserted video clip in addition to whatever my friend is saying on the main audio....To give you an example, my friend blogs about figure skating.  So he will be discussing a competition and the screen is showing him at his desk talking about the different skaters.  While he is discussing a certain skater, he may input a clip of their performance and you will see and hear them skating to their music, but still be able to hear him discussing it uninterrupted in the background.
    - Once the inserted clip ends, the video switches back to my friend at his desk, with his commentary uninterrupted.
    Am I making sense? lol

  • Print Out Still Frames From HD Video

    I am importing HD video into iMovie 08. I have made a few still frames from the video for printing. I could not export them to iPhoto or Photoshop Elements 2.
    How can I make HD video prints? Do I need new software?

    I have made a few still frames from the video for printing. I could not export them to iPhoto or Photoshop Elements 2.
    Select the "still frame" sequence and use the "Reveal in Finder" option to take you to the saved "still image" in the named_Project package. If you then double-click the image, it will open in Preview. Using Preview, you can print the image or save it to any of the available image formats in any "visible" location for later access by whatever graphic application you wish to use.

Maybe you are looking for

  • Cost Control with p6v7

    Hi, I need help to structure schedule for EPC management projects which covers homeoffice and outsourced/subcontracted works. upto now we've used p6v7 without cost. I need to know , is it possible to make below analysis through p6v7 standart outputs

  • Cannot Find Package

    I am migrating from a single server, database and http server on one machine, to a two server approach, app server (http server) and database. I have a page in Apex that displays a stored PDF file using an iframe. For example: select '<iframe src="we

  • Cant download apps, error message can't set up on new computer

    why I'm having problems downloading apps? I enter my credit card number error message says ' your account has been assessed from a nre computer of device and I must verify payment.

  • Photoshop Elements 10 has stopped working...

    I have installed this program on my PC 4 times now and even downloaded the trial version and then put in my serial number on it but every time I try and Edit a picture it starts trying to load up the pic and then crashes and says Photoshop has stoppe

  • SWCV conflict in SPROXY

    Hi, I am trying to send a proxy message from a R/3 system (SAP BASIS 6.20) to a XI 3.0 system (SAP BASIS 6.40). When I try to generate the outbound proxies on R/3 using SPROXY, I do not see any SWCV of SAP BASIS. I've gone thru some of the messages o