Control amount of frames a video creates in PS CS6

I have another gif program that lets me choose how many frames I want to work with from the video, color quality wise obviously Photoshop is better so I want to use photoshop, but it doesn't seem to let me control how many frames I can split it up into so it's really slow. I'd normally have 24, but PS is giving me like 86... How can I change it?

......... I don't see the importance of what video I'm working with since the amount of frames is the problem.... or the steps... considering if you know how to import a video to create a gif in PS you wouldn't need to know... but anyways...
Import video frames to layers..
Choose a video I've already clipped in imovie
Range to Import is "From Beginning to End" and Make animation is checked
and then it just makes like 80+ frames

Similar Messages

  • When playing a home video DVD using DVD Player I tried to use the "Controls, Use current frame as jacket picture" facility to create a printable image but with no success. Can anybody point me in the right direction?

    When playing a home video DVD (created on my Panasonic DVD/Hard Disc recorder)  using the Mac DVD Player, I tried to use the "Controls, Use current frame as jacket picture" facility to create a printable image but with no success. I assume that any file created by this action would be stored somewhere in a common format but cannot find any such file. Can anybody point me in the right direction?

    Hi Sinious,
    Interesting to know about 10.8 and Flash. I'll hold off upgrading until they work together. Currently using 10.6.8 at home and same on the Universtity's computers.
    Haven't verified on Windows but shall do later in the week if I can get access to a Windows machine.
    Both the Flash player and the Projector come up not full screen, and if I leave it that way then things work OK as long as I don't make the video full screen (using the full screen button on the skin).
    However if I make the swf or projector full-screen (by using CMD-F or the menu option) then when I click on the menu item to take me to the page with the video on it, instead of a page with a smallish video and back button I get a black screen with no obvious controls. If I then press Escape I get my normal screen back and I am in the page that should have the video but there is not video and the back button does not work. So something wierd is going on here.
    If I make a file without any videos with a similar navigation structure everyting works ok except that when I go full screen I lose the finger cursor when I roll over my buttons (which is also wierd).

  • This is how you extract frames from video

    right then, in answer to many posts about how to get the individual frames from video, here is my solution. it seems to work with mpg files but it doesnt seem to work with any of the avi files i tried. not sure why it doesnt work with those. i have modified javas frame access.
    nothing is displayed except it prints which frame it is doing.
    if anyone wants to improve it, please do. i still dont understand fully how it works so i probably wont be able to answer many questions about it. anyway here it is:
    * @(#)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.awt.*;
    import javax.media.*;
    import javax.media.control.TrackControl;
    import javax.media.Format;
    import javax.media.format.*;
    import java.io.*;
    import javax.imageio.*;
    import javax.imageio.stream.*;
    import java.awt.image.*;
    import java.util.*;
    import javax.media.util.*;
    * 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 implements ControllerListener {
         Processor p;
         Object waitSync = new Object();
         boolean stateTransitionOK = true;
         public boolean alreadyPrnt = false;
         * 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(Processor.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];
                   else     tc[i].setEnabled(false);
              if (videoTrack == null) {
                   System.err.println("The input media does not contain a video track.");
                   return false;
              String videoFormat = videoTrack.getFormat().toString();
              Dimension videoSize = parseVideoSize(videoFormat);
              System.err.println("Video format: " + videoFormat);
              // Instantiate and set the frame access codec to the data flow path.
              try {
                   Codec codec[] = { new PostAccessCodec(videoSize)};
                   videoTrack.setCodecChain(codec);
              } catch (UnsupportedPlugInException e) {
                   System.err.println("The process does not support effects.");
              // Realize the processor.
              p.prefetch();
              if (!waitForState(Processor.Prefetched)) {
                   System.err.println("Failed to realise the processor.");
                   return false;
              p.start();
              return true;
         /**parse the size of the video from the string videoformat*/
         public Dimension parseVideoSize(String videoSize){
              int x=300, y=200;
              StringTokenizer strtok = new StringTokenizer(videoSize, ", ");
              strtok.nextToken();
              String size = strtok.nextToken();
              StringTokenizer sizeStrtok = new StringTokenizer(size, "x");
              try{
                   x = Integer.parseInt(sizeStrtok.nextToken());
                   y = Integer.parseInt(sizeStrtok.nextToken());
              } catch (NumberFormatException e){
                   System.out.println("unable to find video size, assuming default of 300x200");
              System.out.println("Image width = " + String.valueOf(x) +"\nImage height = "+ String.valueOf(y));
              return new Dimension(x, y);
         * 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";
              //these dont do anything
              public void open() {}
              public void close() {}
              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.setFlags(Buffer.FLAG_NO_SYNC);
                   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 PostAccessCodec extends PreAccessCodec {
              // We'll advertize as supporting all video formats.
              public PostAccessCodec(Dimension size) {
                   supportedIns = new Format[] { new RGBFormat()};
                   this.size = size;
              * Callback to access individual video frames.
              void accessFrame(Buffer frame) {
                   // For demo, we'll just print out the frame #, time &
                   // data length.
                   if (!alreadyPrnt) {
                        BufferToImage stopBuffer = new BufferToImage((VideoFormat) frame.getFormat());
                        Image stopImage = stopBuffer.createImage(frame);
                        try {
                             BufferedImage outImage = new BufferedImage(size.width, size.height, BufferedImage.TYPE_INT_RGB);
                             Graphics og = outImage.getGraphics();
                             og.drawImage(stopImage, 0, 0, size.width, size.height, null);
                             //prepareImage(outImage,rheight,rheight, null);
                             Iterator writers = ImageIO.getImageWritersByFormatName("jpg");
                             ImageWriter writer = (ImageWriter) writers.next();
                             //Once an ImageWriter has been obtained, its destination must be set to an ImageOutputStream:
                             File f = new File(frame.getSequenceNumber() + ".jpg");
                             ImageOutputStream ios = ImageIO.createImageOutputStream(f);
                             writer.setOutput(ios);
                             //Finally, the image may be written to the output stream:
                             //BufferedImage bi;
                             //writer.write(imagebi);
                             writer.write(outImage);
                             ios.close();
                        } catch (IOException e) {
                             System.out.println("Error :" + e);
                   //alreadyPrnt = true;
                   long t = (long) (frame.getTimeStamp() / 10000000f);
                   System.err.println(
                        "Post: frame #: "
                             + frame.getSequenceNumber()
                             + ", time: "
                             + ((float) t) / 100f
                             + ", len: "
                             + frame.getLength());
              public String getName() {
                   return "Post-Access Codec";
              private Dimension size;

    The quality of the produced video from this example is very poor.
    It comes to huuuuge surprise the following fact.
    If you comment the line where you set the PostAccessCodec, the chain of the codecs is:
    MPEG-1 decoder -> YUV2RGB -> Direct Draw Renderer. ( The one used from the system to decode and render)
    If you run the example purely as is above you get the following sequence(as long with the poor quality):
    MPEG-1 decoder -> YUV2RGB -> Windows GDI Renderer.
    So you say lets set another Renderer. So
    you add the following line videoTracker.setRenderer( new DDRenderer() )
    What comes to a surprise is the following chain of codecs:
    MPEG-1 decoder -> YUV2RGB -> Post Codec -> Java RGB Converter - > DDRenderer
    The quality now may be perfect but video runs to slow. The surprising thing here is that even though we have set the outputFormat of the PostAccessFrame codec to RGBFormat the system converts it again to RGB through codec Java RGB Format.
    After searching a lot and reaching the conclusion that the deference between the 2 RGB's is their sizes I sudently was brought in front of a method called grabFrame(). Bels started ringing inside my head. Starts were comming up. Looking at the definition of the class com.sun.media.renderer.video.DDRenderer I descovered that this damn class implements the FrameGrabbingControl Interface. What the f.....? The problem that consumed 4 days of my life and multiplied with 10 to give hours has finally come to an and.
    Summing up the solution for grabbing frames is this!!!!!
    DDRenderer renderer = new DDRenderer();
    videoTrack.setRenderer( renderer );
    and in your actionPerformed implementation
    FrameGrabbingControl fr = (FrameGrabbingControl)renderer.getControl( "javax.media.control.FrameGrabbingControl");
    Buffer frame = fr.grabFrame();
    The following stuff ...are stated in FrameAccess
    --Sniper

  • Control amount value based on payment terms in obb9 and me21n

    Dear Sapgurus,
    In OBB8 Create Payment Terms.
    Create 4 Payment terms PT , PT1, PT2, PT3.
    For the 1st one PT you select Installment Payment CheckBox.
    For PT1, PT2 & PT3 give the no of days as per your requirement.
    Go to OBB9 and assigned.
    PT -- PT1 -- 20% (Document Date)
    PT -- PT2 -- 50% (Posting date)
    PT -- PT3 -- 30% (Posting date) in me21n i assign pt payment terms based on this one i want control amount in f-48 like first accroiss 20% is not allowed 1000 rs total value 200 allowed in f-48 how do i make logic, if i assigned in me21n payment terms i want ot check this payment terms in assigned obb9 if i take first payment terms if document date is their i want to take advance payment if payment date is their its normal payment. Whther it is correct or not & If i given any payment terms in  me21n i want check background how many payment terms is assigned in this one if payment terms is document date i want to check in f-48 and if posting date in payment terms i want to check in f-53 control how do i prepare logic please give me suggessions.
    Regards
    Umi

    Hi Sridhar,
      it would be helpful if you could share with us as how you did?.
    Regards,
    Siva

  • When I capture a still frame froma video in Llightroom 4.3, where does the captured frame end up?

    When I capture a still frame froma video in Llightroom 4.3, where does the captured frame end up? I cannot find it. Stan

    It will be right next to the movie in your library and the jpg file will end up on your hard disk right next to the movie file. You can see the actual file by right (or control) clicking on the image in the library view and selecting "show in Finder/Explorer"

  • Why doesn't Premiere handle variable frame rate video?

    Variable frame rate video comes from many places these days: phones, live streamed video recordings.
    Adobe Premiere is a supposedly production level piece of software that cost a good chunk of change.
    How is it 2012 and Adobe does not still have an answer to this problem?  After trying to editing/convert/mux/edit variable frame rate videos for the past 5 hours I am just exhausted.  No amount of conversion apps, etc have saved us and THEY SHOULD NOT HAVE TOO. 
    We have spent thousands on Adobe software packages over the last decade, probably 10s of thousands, and the only answer I find consistently is to switch to Vegas. 
    Surely, SURELY someone at Adobe with real insight into the issue can help answer the question of whether users moving into different medium should find a place elsewhere in the software ecosystem...
    Message was edited by: Kevin Monahan
    Reason: to make article more searchable

    The file I am trying to edit was recorded in a streaming application called XSplit, very popular in the game / live streaming community. 
    The frame rate is variable, slightly I am guessing, because the real time nature of the recording/stream.  The issue is that while WMP and VLC play the file back 100% correctly, when played back inside Premiere CS6 the file drifts out of sync so at the end of a 2 hour clip, we are talking more than a full second or so.
    According to MediaInfo, here is the file detail:
    General
    Complete name                            : Y:\Live\2012-12-4 Farcry 3\2012-12-04_200413079.mp4
    Format                                   : MPEG-4
    Format profile                           : Base Media
    Codec ID                                 : isom
    File size                                : 4.33 GiB
    Duration                                 : 2h 11mn
    Overall bit rate                         : 4 713 Kbps
    Writing application                      : Lavf54.0.100
    Video
    ID                                       : 1
    Format                                   : AVC
    Format/Info                              : Advanced Video Codec
    Format profile                           : [email protected]
    Format settings, CABAC                   : Yes
    Format settings, ReFrames                : 4 frames
    Codec ID                                 : avc1
    Codec ID/Info                            : Advanced Video Coding
    Duration                                 : 2h 11mn
    Bit rate                                 : 4 574 Kbps
    Width                                    : 1 280 pixels
    Height                                   : 720 pixels
    Display aspect ratio                     : 16:9
    Frame rate mode                          : Variable
    Frame rate                               : 29.970 fps
    Minimum frame rate                       : 5.000 fps
    Maximum frame rate                       : 30.303 fps
    Color space                              : YUV
    Chroma subsampling                       : 4:2:0
    Bit depth                                : 8 bits
    Scan type                                : Progressive
    Bits/(Pixel*Frame)                       : 0.166
    Stream size                              : 4.20 GiB (97%)
    Writing library                          : x264 core 125 r2200 999b753
    Encoding settings                        : cabac=1 / ref=1 / deblock=1:0:0 / analyse=0x3:0x113 / me=hex / subme=2 / psy=1 / psy_rd=1.00:0.00 / mixed_ref=0 / me_range=16 / chroma_me=1 / trellis=0 / 8x8dct=1 / cqm=0 / deadzone=21,11 / fast_pskip=1 / chroma_qp_offset=0 / threads=18 / lookahead_threads=3 / sliced_threads=0 / nr=0 / decimate=1 / interlaced=0 / bluray_compat=0 / constrained_intra=0 / bframes=3 / b_pyramid=2 / b_adapt=1 / b_bias=0 / direct=1 / weightb=1 / open_gop=0 / weightp=1 / keyint=250 / keyint_min=25 / scenecut=40 / intra_refresh=0 / rc_lookahead=10 / rc=crf / mbtree=1 / crf=13.0 / qcomp=0.60 / qpmin=0 / qpmax=69 / qpstep=4 / vbv_maxrate=5000 / vbv_bufsize=7000 / crf_max=0.0 / nal_hrd=none / ip_ratio=1.40 / aq=1:1.00
    Audio
    ID                                       : 2
    Format                                   : AAC
    Format/Info                              : Advanced Audio Codec
    Format profile                           : LC
    Codec ID                                 : 40
    Duration                                 : 2h 11mn
    Bit rate mode                            : Constant
    Bit rate                                 : 128 Kbps
    Channel(s)                               : 2 channels
    Channel positions                        : Front: L R
    Sampling rate                            : 44.1 KHz
    Compression mode                         : Lossy
    Stream size                              : 120 MiB (3%)

  • Re-frame bad video by zooming in?

    I want to zoom in on some video clips that were poorly shot and center the action in the frame. Anyone know of some inexpensive software, shareware, or utility that can do this?

    Here are a couple options:
    - MPEG Streamclip allows cropping of the video (but if you stretch a smaller group of pixels over the screen, it will degrade quality - so experiment with a short clip before you convert a bunch of video if you want it full screen).
    - Add a decorative frame that covers up the offending part of the video. Quicktime Pro ($20?) lets you create frames (additional video layer), which can be any shape or size (or opacity) that you can design in Photoshop/Elements.
    John

  • Help how do you save a still frame of video  as a photo?

    Help how do you save a still frame of video as a photo? Thanks

    A still frame from an Event:
    Put cursor at the frame you want, then right click (or command click) and select "Add Still Frame to Project".
    The still frame will be added at the end of the Project.
    A still frame from a Project:
    Put cursor at the frame you want then right-click (or control-click) and select "Add Freeze Frame". The Freeze frame will be added after the clip.
    In both cases:
    Select the still frame (so the yellow band is around it).
    Right-click (or control-click) and select "Reveal in Finder".
    You will see a JPG file highlighted in the finder.
    Drag this file and drop it on your iPhoto icon in the Dock.

  • Use Videos Created in Photoshop within After Effects - Possible?

    Hello, newbie here. Can i use create video files in Photoshop CC and then import them in After Effects CC as video files?
    I create video files in Photoshop CC using Photoshop CC's timeline* and save the video project in Photoshop as TIFF or PSD.
    When i import these TIFFs oder PSDs to After Effects, they will only appear as still images, whatever settings i use on import (footage vs. layers). I don't see how to have the TIFFs or PSDs playing in After Effects as a video.
    Is it even possible to bring a video project from Photoshop to AE as video and not as a still image?
    I understand that the alternative would be to render the Photoshop video as MP4 and bring that MP4 into After Effects. I would prefer to avoid the MP4 route though.
    Thanks!

    Dave, thanks - i import now the PSD file as "Sequence" and as "Composition - Retain Layer Size" and then i click "Create new Composition from Selection".
    Then i get a timeline which shows the correct running time of the video created in Photoshop. All the layers and tracks are there. I also see either an image from the video or a black screen.
    But i cannot play it. I can't see different frames of the video - neither by dragging the timeline marker nor by clicking "Play/Pause".
    That's certainly an awkward newbie problem - seeing your video, but not able to even play it. But i even watched through the full length of three extremely detailed Adobe/Lynda video tutorials (on the official Adobe site) and didn't get closer to an answer why the video doesn't play in AE.
    I have to admit that on importing i get a Quicktime error message. I also studied the official Adobe page regarding that error message and didn't understand it. But i know that when i 'had* Quicktime installed previously, it ruined my system and my mood.
    So if you have any quick hint, that would be great. Thanks!

  • Ok to grab still frames from video, or use digital camera?

    Noob here. Just bought a Sony DCR-HC96 DV camcorder that I'm still playing around with.
    Wondering how good the photo image quality is if I use the "Save Frame" commend to create jpeg images from imported video. Or, am I better off relying on my digital camera for still images (requiring me to carry/use two gadgets)

    There's just one other thought:
    A frame grab from an HD (hi-def) camcorder can look really good ..as in the 16:9 "widescreen" rhino, giraffe and zebra shots halfway down this page..
    Click on those 16:9 photos to see larger versions.. (..the pics called "No pasaran!", "High, again!", "Camouflage", etc..)
    Although the quality is not as good - as Kirk says - as a proper digital camera (..the other pics on that page were taken with an assortment of "proper" digital cameras..) there may be an occasional slight advantage to using an HD camcorder and then taking stills from the video: a camcorder generally has a longer zoom range than most digital stills cameras, so letting you get nice and close to the action.
    So stills from a standard-def camcorder: no ..as Kirk says; awful.
    Stills from an HD camcorder: can be fairly good..

  • Mixed frame rate video clips on the same Blu-ray disc

    Before I go into the detail, this actually isn’t an issue for me, but more of a finding the answer to a different question, so please bear with me.
    To explain:  I live in the UK, and I’m forever challenged by the different native video frame rates imposed by the PAL and NTSC standards.  Every consumer camcorder I’ve ever seen only produces HD output (1920 x 1080) at either 50 fields/second interlaced, or 25 (sometimes 50) frames/second progressive.  Some action cameras (Go Pro) I possess allow me to record at 30fps progressive, in full HD, which for fast movement is simply better.  This in itself is not really a problem, but I use other software (all USA sourced) for video production whose best results are only visible when the finished HD output is 1080/60i.
    Having mixed frame rate video is a real problem for the DVD standard, but no so much for Blu-ray. Indeed Adobe Encore neatly gets around this problem, so I can actually author a Blu-ray disc which contains full HD video clips that may be either 50i or 60i.  Both types of video exist on the same disc, and when played back through a Blu-ray player/TV combination, the resultant video clips are shown correctly. Player and TV switch seamlessly to the correct setting to handle the video content.  So, I have a solution to my problem, but at the same time, a question I can’t find an answer to, which is this:
    Does the Blu-ray specification allow video clips of different native frame rates (i.e. 25fps and 30fps) assuming the resolution is the same, to co-exist on the same Blu-ray disc as a supported feature?
    It works, but I can’t find one shred of information that says what I’m doing is supported.
    Comments are most welcome.
    Regards,
    Steve

    Stan Jones wrote:
    Encore requires you to specify the project type as PAL or NTSC (whether you start it as Bluray or DVD), and does not allow you to change it later. Also, if you try to create a transcode type for PAL in an NTSC project you cannot get to the 25 fps setting (and therefore, I think, cannot do it).
    But if you import a Bluray legal 25i file to an NTSC project, it is happily added.
    DVD player conventional wisdom is that PAL players handle NTSC disks, but NTSC players do not generally handle PAL disks. I never quite understood why the TVs were not more of the issue. Do Bluray players even differentiate between PAL and NTSC?
    Even if the player will handle PAL, the TV may well not do so - so there is more going on.
    NTSC uses (generally) 60Hz systems whereas PAL is 50Hz hence the problem.
    Do not try to mix standards as it will not be allowed - however, multiple frame rates are allowed as long as they are within spec for that TV standard.
    They are best avoided though - otherwise you run a very real chance of serious asset truncation as the TV display switches between different resolutions & frame rates.

  • I have tried to view videos created in premiere elements 10 and I get the following message: "this file type is not supported, or the required codec is  not installed.  When it opens there is a red screen in the monitor panel with Korean writing which als

    I have tried to view videos created in premiere elements 10 and I get the following message: "this file type is not supported, or the required codec is  not installed.  When it opens there is a red screen in the monitor panel with Korean writing which also appears in the place of each clip in the video.  I tried uninstalling and reinstalling premiere elements 10, but that did not have any effect on the video.  Do you have any suggestions?  I researched codec, but do not understand them at all.

    gloucester
    In case you did not find it, the following is a copy/paste of the Announcement on Premiere Elements 19/NVIDIA GeForce
    that appears at the top of this forum.
    Premiere Elements 10 NVIDIA Video Card Driver Roll Back
    If you are a Premiere Elements 10 user whose Windows computer uses a NVIDIA GeForce video card and you are experiencing
    Premiere Elements 10 display and/or unexplained program behavior, then your first line of troubleshooting needs to be rolling
    back the video card driver version instead of assuring that it is up to date.
    Since October 2013 to the present, there have been a growing number of reports about display and unexplained workflow
    glitches specific to the Premiere Elements 10 user whose Windows computer has a NVIDIA GeForce video card. If this applies
    to you, then the “user to user” remedy is to roll back the NVIDIA GeForce video card driver as far as is necessary to get rid of
    the problems. The typical driver roll back has gone back as far as March – July 2013 in order to get a working Premiere
    Elements 10. Neither NVIDIA nor Adobe has taken any corrective action in this regard to date, and none is expected moving forward.
    Since October 2013, the following thread has tried to keep up with the Premiere Elements 10 NVIDIA reports
    http://forums.adobe.com/thread/1317675
    Older NVIDIA GeForce drivers can be found
    http://www.nvidia.com/Download/Find.aspx?lang=en-us
    A February 2014 overview of the situation as well as how to use the older NVIDIA GeForce drivers for the driver roll back can be found
    http://atr935.blogspot.com/2014/02/pe10-nvidia-video-card-roll-back.html
    ATR

  • New iPod Touch-want to load videos created using Final Cut Studio

    I'm unable to transfer movies I create on my Mac into the iPod Touch. I'm assuming all transfers to the iPod need to go through iTunes - is this correct?
    I created a video in Final Cut Pro, then compressed two versions of podcasts in Compressor.
    H.264 for iPod video and iPhone 320x320(QVGA)
    H.264 for iPod video and iPhone 640x640(QVGA)
    I then dragged them into iTunes library, thinking they would go into the Podcast folder, but instead they went to the Movie folder.
    I synced to the iPod, and they fail to transfer/load. I then selected "Create iPod or iPhone Version" from the iTunes "Advanced" menu in case there was some file issue, but was unsuccessful in dragging it to the Podcast folder.
    Does the iPod Touch sync up to all iTune's folders, or, is it limited to what's in the Podcast folder?
    Is there a utility that exists to verify the video files are of the correct format.
    Are there other steps I am missing?

    NibblesNBits wrote:
    I created a video in Final Cut Pro, then compressed two versions of podcasts in Compressor.
    H.264 for iPod video and iPhone 320x320(QVGA)
    H.264 for iPod video and iPhone 640x640(QVGA)
    For anyone else in the same situation - videos created in Final Cut Pro and compressed using either of the Compressor settings will create podcasts that can be synced up and play on the iPod Touch,
    The problem was the "Sync Movies" setting - it was disabled. The challenge was finding the settings, and wouldn't have been an issue prior to release of version 3.0 software upgrade notice.
    The "Sync" settings were where I first looked, from within iTunes, but as I said, the device settings were being hidden by an "Apple commercial" for the version 3.0 software upgrade - once I clicked on "Remind Me Later" I was able to see the 8 tabbed configuration screen. I guess marketing trumps usability.

  • Is it possible to control the duration of a video clip in IMovie? Speed

    Is it possible to control the duration of a video clip in IMovie? Speed
    it up/slow it down?

    I actually think the content gets smoother in faster mode. But maybe that's just my opinion.
    By the way, the fast/slow/reverse effect is pretty sensitive, i use it for my fight scenes in movies and I can only raise the bar one notch faster before it starts to look cheesy.

  • Video frame won't open in Photoshop CS6

    I recently upgraded to CS6 and am having a problem with Photoshop.
    In my previous version (CS5.1) I could drag a single frame of video from a .mov file and drop it onto my Photoshop icon and Photoshop would open that frame as new document.
    But now in CS6 when I try to do this I get the following error:
    "Could not complete your request because Photoshop does not recognize this type of file"
    Why won't this work now in CS6?
    I'm on a Mac Pro, 12-core Intel with 24 gig of ram.  Everything updated and licensed.
    Thanks.

    Hi Meredith,
    I'll try attaching a little video, showing what I'm talking about.  But here's a bit more detail.
    I used to be able to open a Quicktime movie, scrub to a particular frame, and then drag that frame from the QT player onto the Photoshop icon in my dock and it would open in Photoshop as a new document.
    The document would have the name "Movie Clipping", and it would just contain that single frame.
    This worked regardless of the QT file's codec (H264, AppleProRes, Animation... etc.)
    But when I try this drag and drop from the QT player onto the CS6 Photoshop icon, it always errors.
    Hopefully this video attachment will work.  Thanks for your help.

Maybe you are looking for

  • W520 lock-ups with 100% disk access

    Seemingly at random, my W520 will lock-up and the HDD access light is solid. I can move the mouse, but the computer won't respond to mouse clicks or keyboard presses. My only way out is a hard power-down (hold in the power button) and restart. This h

  • WiFi problem after upgrading to Windows 8.1 Lenovo R400 ThinkPad

     I have this problem after updating to 8 to 8.1 Right after updating to 8 to 8.1, all of a sudden my wifi stops working. I used my philips external wifi usb stick and now I'm able to get the internet going. However if I disconnect my philips usb I no

  • Trouble with Canon 2020Adv after upgrade to Maverick

    Hi We've just upgraded to Maverick and our office Canon 2020Adv no longer even acknowledged print jobs sent to it from the Mac.  I followed the comments in earlier posts re problems with Canons post Maverick upgrade and downloaded and installed the n

  • Can't Import Video into iMovie 08/09

    Hey, I recently got an HD Camcorder and I had been able to use it to import movies from it to iMovie 08. However the other day I was not able to anymore. Now I open iMovie 08, it recognizes the camcorder, I select what I want to import and then I cli

  • How do I get slideshow photos right-side-up?

    I rotate individual photos to get them right-side-up; but when I start a slideshow, the photos revert to appearing sideways. Can someone please help me figure out how to get the slideshow photos right-side-up? Thanks very much.