How to cut random frames in a video file

Hi,
I want to know how we can cut random frames in a video file using JMF? Please help!
thanks in advance.

Thanks for the answer, Is there any other way to do this using som plugins ot tools?

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

  • How do i export a single jpeg frame from a video file in final cut x

    how do i export a single jpeg frame from a video file in final cut x

    You can also use the 3 finger method of COMMAND+SHIFT+4, then drag across what you want to copy from the image. That will show up on your desktop, which then you can edit using Photoshop, if you want too.
    You can then change the file format from a PNG to either a .JPG or TIFF or even a Photoshop image.
    Make sure, you have stopped the playback, to what you want to save as a still.
    Either method works, to make a still image from video.

  • HT3775 How can I open a flv (flash video) file on my iMAC OS Snow Leopard??

    My problem:
    How can I open a flv (flash video) file on my iMAC OS Snow Leopard?

    Try VLC Media Player 2.0.3 or MPlayerX 1.0.14.

  • 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'

  • Macbook, Final Cut Express and Canon 5D video files

    Hello everyone.
    I intend to purchase my first Apple Mac soon. It will probably be the Aluminium Macbook with 4GB RAM.
    I am an avid photographer and use the Canon EOS 5D Mark II. I can handle all the processing of the still photographs without a problem but I would like to take advantage of the cameras HD video capability. I know nothing about video editing but I have read that Final Cut is about the best video editor out there. My PC struggles to even play the movies from my camera, let alone edit them.
    I have the following questions that I hope some of you can answer:
    1. Will the standard Macbook with 4GB RAM be able to handle and edit the large video files (1.2GB for a 5 minute video clip)? I would prefer not to buy the Macbook Pro if possible. The computer will only be used for video editing occasionally. I will not be making 90 minute Hollywood style productions... just 5 minute short films once in a while.
    2. Does the cheapest version of Final Cut (Final Cut Express) handle files from the Canon 5D2?
    3. I know the video from the Canon 5D2 is generally disliked because it is 30fps and is in a strange format. However, I am not able to change this and I will not be buying a dedicated video camera as I rarely shoot video. So, I need to know if the Macbook and Final Cut Express can do the business with these files. Do you have any advice on how to handle the 5D2 files?
    Any advice greatly appreciated.

    Will the standard Macbook with 4GB RAM be able to handle and edit the large video files (1.2GB for a 5 minute video clip)?
    Yes. You have a lot of hard-drive space with the Macbook Aluminum, so that shouldn't be an issue but you might consider using an external hard-drive to store your media if you ever start making longer movies. To tell you the truth, the Macbook with 2GB of RAM would probably work just as well. I recently upgraded mine and it didn't make much of a difference. Either way though, the Macbook should work fine with Final Cut, mine does. You might consider getting the one with the 2.4GHz processor, I have the feeling that will make more of a difference when editing than the extra RAM.
    Does the cheapest version of Final Cut (Final Cut Express) handle files from the Canon 5D2?
    Sort of, but it doesn't edit them natively. You can either drop the files in the timeline and render it out and it will work, or, if you don't want to render whenever you make a change, a better technique would be to first convert the clips using an application like the free [MPEG Streamclip|http://www.squared5.com> to something FCE can edit natively such as Apple Intermediate Codec. It's not as simple as drag-and-drop, but it will work.
    Do you have any advice on how to handle the 5D2 files?
    See above. I recommend the Streamclip conversion over the rendering though. If you have a lot of files to convert, Streamclip has a batch conversion setting so you can set what to convert to once and Streamclip will convert all the files. Converted files can then be edited in FCE without any particular problems.
    You should convert using these settings:
    Compression: +Apple Intermediate Codec for HD or DV-NTSC for SD+
    *Frame Size:* +(A supported FCE frame size, for example 1920x1080, 1440x1080, 720x480, etc. The supported frame size you choose should be as close to your original frame size as possible)+
    *Frame Rate:* 29.97
    Sound: +Uncompressed Stereo 48kHz+
    Keep in mind that the Macbook Aluminum lacks a Firewire port, so if that is detrimental to your use you should consider getting the white Macbook or the Macbook Pro. I believe the Canon 5D Mark II uses USB for transfer though, so it shouldn't be that much of a problem.

  • How to split Large mp4 and AVI video files to smaller scenes

    Hi All
    I’ve been looking into how to cut-up large files ready for import into CS4. So far all I can find are the usual suspects that only lets you cut a section from a file. Dose anyone use any software that enables you to split a large video file (MP4, AVI and so on) into say 20 sections all in one hit?
    I do a lot of HD onboard cams, so the video is set to fire and only shut off when the run has finished. I then end up with about 60 percent of the file (in diferent parts) I need to trash.
    Any help or advice would be much appreciated indeed!
    Xray

    function(){return A.apply(null,[this].concat($A(arguments)))}
    the_wine_snob wrote:
    Maybe, but maybe not. I use DigitalMedia Converter to convert to DV-AVI Type II's (I'm only doing SD), and it has a Split function. However, I have never used that, so do not know how well it might work for your needs, if at all. I just do not know. I believe that Deskshare has a user forum, and that might be a good place to try, after you've looked down their FAQ's.
    I hope that others will have a definitive answer for you, with iron-clad suggestions.
    Good luck,
    Hunt
    i don't know.

  • How to write individual frames from a media file to a file.And also play it

    Hi,
    How do i access indivual media frame and save it to another file. One way is to use Cut.java, but i am unable to cut the frames repeatedly.
    I want to Seek an individual frame in the media and then write the frame to a file.
    regards.
    devendra.

    FrameGrabbingControl allows you to grab a frame. but you cant directly write from that frame. Do i have to create a dataSink.
    Actually i tried to do one thing that is, I used the cut program. But from that i can not repeatedly take out frame as media data.

  • How to read a tag of a video file

    i try to create an application that can read audio and video file with java.
    But my probleme now is that ican't read the tag of video file.
    can you help me about how to read the tag of video file like the duration of video and frame rate and the other information about the video file.Thanks

    i try to create an application that can read audio and video file with java.
    But my probleme now is that ican't read the tag of video file.
    can you help me about how to read the tag of video file like the duration of video and frame rate and the other information about the video file.Thanks

  • How to take a picture from a video file

    Is there a way to take a picture of video clip from the web?  I am trying to pull a pic of a video file, a single frame. Is there an app, or a really easy way to crop and save a photo to my library?

    Pause the video where you want the clip then use shift+command+4 to get a cross hair selector and drag that across the part of the screen you want to capture, it will be saved as Screenshot_date_time to your Desktop

  • How can I add MPAA ratings to video files in iTunes?

    I understand Apple prohibits the customer from manually inputting MPAA or TV ratings into the video files centrally stored in an iTunes library, as ripping DVDs is considered illegal. How can I get around this problem? Is it possible to manually manipulate the meta data outside of iTunes?
    In this specific case, I would like to share content over a home network also used by children; I have no problem with them watching Harry Potter, but they need to grow a little before they want Dexter or Game of Thrones, but Apple makes this process unnecessarily cumbersome and obtuse.
    I assume Apple will never permit this functionality, if only to satify copyright holders as well as protecting profits. However, I live in the Netherlands, and under Dutch law people are specifically permitted to make a limited number of copies of any copyrighted material (for personalI use only obviously, sharing remains technically illegal). The law places a small duty on all blank storage media, from old cassettes up until anything containing a hard drive (including iPod), to compensate artists and copyright holders for potential lost revenues. The total duty collected and disbursed amounts to tens of millions, and I imagine Apple also benefits (if ever so slightly). Therefore, under Dutch jurisdiction, I should be able to manipulate ripped versions of legally obtained video material all I want, as I wholly own the copies (legally). Do other countries/states have similar laws on the books?
    The price of doing business globally is that you must adapt to many different legal jurisdictions; other companies do it without apparant problems, Apple should as well.

    Schmeck wrote:
    I understand Apple prohibits the customer from manually inputting MPAA or TV ratings into the video files centrally stored in an iTunes library
    You understand incorrectly.
    as ripping DVDs is considered illegal
    What does this have to with ratings?
    I assume Apple will never permit this functionality,
    Don't know why you would assume this at all.
    They don't permit nor prohibit it. They don't do anything about it.
    How can I get around this problem? Is it possible to manually manipulate the meta data outside of iTunes?
    Yes, very easily. You need an application that will allow you to set the ratings. There are plenty of apps around.
    -> MetaZ works fine for tagging most info on movies including ratings.
    Note that Apple is simply a distributor. They are not the labels/copyright owners. Pretty sure they don't get any money from Stichting Thuiskopie.

  • How do I stop iTunes from duplicating video files?

    For some reason unknown to me, iTunes duplicates the video files when they are added to the library.
    For music, when I add these to the library, the files stay on the external drive, and they are listed in the library.
    However, I now moved my video files to an extrnal drive, but when I want to add them back into my library, it wants to copy all of them (the full file) from the external drive to my itunes folder.  I moved them off of the computer hard drive because they take up too much space.  I don't want them here, but I do want them in the library so I can select and sync them.
    How do I add these videos to my itunes library, but keep the actual files on the extrnal drive?

    Turn off the option "Copy to iTunes Media folder when adding to library" under Edit > Preferences > Advanced.
    tt2

  • Does Final Cut Pro X support all video files as did its prior version Final Cut Pro Studio?

    Hi,
    Use to have a Mac Pro and had Fina Cut Pro Studio. Now I have just got a new Macbook Pro (Lion), and have just purchased the new Final Cut Pro X from the App store. I am having problems importing 3gps files into FCP X. I never had a problem with the $1000 version of studio. Does the new FCP X have limitations on what video files are compatible with it? do I need to purchase additional plug-ins etc???
    Ta
    Zeb

    Really depends on the specific file type you want to work with. FCP X does not support every single flavor of video FCP 7 did, so it's not a huge surprise if the file you're using is not supported. That said, there's plenty of free third party tools you could use to convert it to a regular QuickTime ProRes file that FCP X would accept. For example- http://www.squared5.com/ would most likely be able to load it. Try and let us know. And if that doesn't work please provide more details about the 3gps file you're using.

  • How to create a download link for video file?

    Hello guys,
    I know this is not a question directly related to OS X, but I just can't find a solution. So I was hoping that some of you might know the answer, or could recommend further reading.
    I have .mov video files (video footage) on the server. I would like to make these files accessible for download, via link.
    So I am wondering .... how can I create a link, which would allow people to download .mov video files from the server?
    Thanks for any advice or tip.

    The question is, where is the server?
    Is it on its own static IP? If it is not, it likely is on a DHCP configuration.
    For those with DHCP, I recommend http://www.dyndns.com as a workaround, otherwise the links given will have to change as often as every hour!
    Is it on a router, or does it have a firewall turned on in its sharing preferneces? Routers and firewalls block direct access from the outside. You need to setup the web sharing access on your router or firewall before someone can access it via the web.
    Is the .mov file saved via Quicktime? You would also need to provide link on your page to http://www.apple.com/quicktime so that it may be downloaded by those who don't have it. If it is another format, you'll need a link to whatever format it is.
    HTML for putting the video right on the page is usually controled by the EMBED function. That's covered here:
    http://www.htmlcodetutorial.com/embeddedobjects/_EMBED.html
    Otherwise a simple hyperlink to the file will do, once you have an open web sharing port on a static IP or dyndns controled domain.

  • How to get sequence to change to video file settings?

    FCP used to ask if I wanted to change to whatever settings of the first video file I dropped into the timeline. Now it doesn't. How to I get that function back?

    FCP can only playback in realtime clips and seqeunces that are one of the standard setups (Easy setups).
    If you entered a custom size, FCP will not play it in real time and always will want you render it.
    Convert the footage to ProRes with a standard Framesize and see what it does.
    Rienk

Maybe you are looking for

  • COGS determination for Free of cost sales order

    Hi All, We have an issue regarding the COGS determination for Free of cost sales order. We created a free of cost sales order. But i need to know whether this sales order items will hit to COGS or not? If so how do i check whetehr its has been charge

  • There is no iView available for system "SAP_ERP_Procurement": object "purch

    Hi, We are currently implementing buyer portal 1.5 in NW 7.3 SP4 Imported BP ERP05 BUYER 1.51,BP ERP05 COMMON PARTS 1.51 in server Followed the steps given in the link http://help.sap.com/erp2005_ehp_05/helpdata/en/10/f55f5708cb4b08816c66d48064aa35/f

  • After selecting multiple values, immediately it will placed in Table contro

    hello experts, I m using select-option for multiple value selection. I want:-after selecting multiple values, immediately it will placed in Table control columns which is on same screen of select-option and that columns are grayed out. I'm using this

  • Adf Bug in Jdeveloper 11.1.1.2

    When I created an adf binding as detailed in the below article http://blogs.oracle.com/jaylee/2009/08/invoking_composite_from_javajs.html The service was created fine but I got an error below in the composite design Adapter [adf.binding] missing Adap

  • Occurence of white space

    Hi, Iam having a problem while running a form that is white space occurs in the form.