How to display clip duration in iMovie 10?

This must be a very basic task but I can't find out how to do it im iMovie 10.
I've imported a 10 minute video clip in to iMovie 10.
I want to cut a segment of the 10 minute clip from, say, 6:03 seconds in to the clip until 8:13 in to the clip and place this segment in to another project or just export it as a file.
I can't seem to find a way of doing this. There's no duration timer that would allow me to progress to 6:03, mark it and then progress to 8:13, mark that point and then copy.
There must be a way of doing this (I assume).

I won't comment on how offensive it is to end users for Apple to remove such basic functionality. It seems as if the days of a Mac providing useful functionality out of the box without extra and expensive software are on their way out. This isn't even an advanced feature - and it used to be present.
This is one of the many reasons why so many people use iMovie HD 06.   The display head time is always visible.
You can also use Final Cut Pro X.

Similar Messages

  • Can I set clip durations in iMovie 10.0.7 for Yosemite?

    In earlier versions of iMovie I was able to go to preferences and display the clip durations as described in this link below. I could also see the approximate position of the entire video while it is playing.
    iMovie '11: Display the precise duration of video clips
    I am forced to use the current version of iMovie because the older version no longer works for me. I cannot find a similar option in preferences or anywhere else. Has this wonderful feature been removed from this software. Right now if someone asks me to edit starting at a specific position I cannot do it. I have to play the entire video to find the portion of it that they want removed. I am working with fairly long videos and having this feature would really shorten the time for video editing.

    Hello and thanks for using Apple Support Communities,
    Unfortunately, although iMovie 10 added some great new features and brought a more intuitive user interface, some legacy features were discontinues. Chapter markers are an example. While you cannot add 'chapter' markers, you can still add traditional markers by using the Mark item in the menu bar and then clicking add marker. These will not add chapters, however, and will only allow you to quickly find a spot later in iMovie.
    Sorry about that, but if you recently updated iMovie to version 10 from an older version, it is possible that the older version is still on your Mac. You can search for it using Spotlight, the search icon in the menu bar.

  • Display clip duration between markers in canvas window?

    I can do this in Avid- but can not seem to figure it out in FCP.
    There are two TC windows in each canvas window. Is there any way to set them to display the clip duration between markers?
    In other words- I would like to see the duration between and IN point and the OUT point.

    There's a command that will set the in and outs to markers; it's called "mark to markers" found in the Mark Menu. Set the playhead between any two markers and type control+a. Then the in to out duration will show up in the canvas.
    Jerry

  • How to display time duration (NOT dates) with an input mask in a JTable?

    Background: I am trying to display in a JTable, in two columns, the start position and time duration of an audio clip.
    They are stored as type float internally eg. startPosition = 72.7 seconds.
    However I wish to display on screen in the table in HH:mm:ss:S format. eg. 00:01:12:7. The user can edit the cell and input values to update the internal member fields.
    Problem: I am finding it very difficult to implement this - what with the interactions of MaskFormatter, DefaultCellEditor etc.
    Also using SimpleDateFormat and DateFormatter does not work as they insist on displaying the day, month, year also in the table cell.
    Taking the Swing Tutorial TableFTFEditDemo example as a template,
    (http://java.sun.com/docs/books/tutorial/uiswing/components/example-1dot4/index.html#TableFTFEditDemo)
    does anyone know how to do this?
    I can post my (buggy) modifications to the example code - if it would help.
    Appreciate any help.
    thanks,
    Anil

    Here are my modifications to the TableFTFEditDemo example. If you run it, you get an exception
    like java.lang.NumberFormatException: For input string: "18:00:03.500"
    The two modified classes are taken from the Tutorial and are listed below:
    =================
    * IntegerEditor is a 1.4 class used by TableFTFEditDemo.java.
    import javax.swing.AbstractAction;
    import javax.swing.BorderFactory;
    import javax.swing.DefaultCellEditor;
    import javax.swing.JFormattedTextField;
    import javax.swing.JOptionPane;
    import javax.swing.JTable;
    import javax.swing.JTextField;
    import javax.swing.KeyStroke;
    import javax.swing.SwingUtilities;
    import java.awt.event.ActionEvent;
    import java.awt.event.KeyEvent;
    import java.awt.Color;
    import java.awt.Component;
    import java.awt.Toolkit;
    import java.text.DateFormat;
    import java.text.NumberFormat;
    import java.text.ParseException;
    import java.text.SimpleDateFormat;
    import java.util.Calendar;
    import java.util.Date;
    import javax.swing.text.DateFormatter;
    import javax.swing.text.DefaultFormatterFactory;
    import javax.swing.text.MaskFormatter;
    import javax.swing.text.NumberFormatter;
    class TimeRenderer {
         float seconds;
         TimeRenderer(String str) {
              int hSec = Integer.parseInt(str.substring(0,2)) * 60 * 60;
              int mSec = Integer.parseInt(str.substring(2,4)) * 60;
              int sSec = Integer.parseInt(str.substring(4,6));
              float tSec = Integer.parseInt(str.substring(6,7))/10.0F;
              seconds = hSec + mSec + sSec + tSec;
    * Implements a cell editor that uses a formatted text field to edit Integer
    * values.
    public class IntegerEditor extends DefaultCellEditor {
         JFormattedTextField ftf;
         static Date zeroTime = new Date(0L);
         private boolean DEBUG = true;
         SimpleDateFormat sdf = new SimpleDateFormat("HH:mm:ss.S");
         MaskFormatter maskFo = new MaskFormatter("##:##:##.#");
         protected MaskFormatter createFormatter(String s) {
              MaskFormatter formatter = null;
              try {
                   formatter = new MaskFormatter(s);
              } catch (java.text.ParseException exc) {
                   System.err.println("formatter is bad: " + exc.getMessage());
                   System.exit(-1);
              return formatter;
         public IntegerEditor(int min, int max) throws ParseException {
              super(new JFormattedTextField(new MaskFormatter("##:##:##.#")));
              ftf = (JFormattedTextField) getComponent();
              // Set up the editor for the cells.
              ftf.setFormatterFactory(new DefaultFormatterFactory(new DateFormatter(sdf)));
              ftf.setFocusLostBehavior(JFormattedTextField.PERSIST);
              // React when the user presses Enter while the editor is
              // active. (Tab is handled as specified by
              // JFormattedTextField's focusLostBehavior property.)
              ftf.getInputMap().put(KeyStroke.getKeyStroke(KeyEvent.VK_ENTER, 0), "check");
              ftf.getActionMap().put("check", new AbstractAction() {
                   public void actionPerformed(ActionEvent e) {
                        if (!ftf.isEditValid()) { // The text is invalid.
                             ftf.setBorder(BorderFactory.createLineBorder(Color.RED));
                             ftf.setBackground(Color.PINK);
                             ftf.postActionEvent(); // inform the editor
                        } else
                             try { // The text is valid,
                                  ftf.commitEdit(); // so use it.
                                  ftf.postActionEvent(); // stop editing
                             } catch (java.text.ParseException exc) {
         // Override to invoke setValue on the formatted text field.
         public Component getTableCellEditorComponent(JTable table, Object value,
                   boolean isSelected, int row, int column) {
              JFormattedTextField ftf = (JFormattedTextField) super
                        .getTableCellEditorComponent(table, value, isSelected, row, column);
              System.out.println("value:" + value);
    //          long milliseconds =(long) (Float.parseFloat(value.toString()) * 1000);
              long milliseconds =(long) (((Float) value).floatValue() * 1000);
              Date dt = new Date(milliseconds);
              ftf.setValue(dt);
              return ftf;
         // Override to ensure that the value remains an Integer.
         public Object getCellEditorValue() {
              JFormattedTextField ftf = (JFormattedTextField) getComponent();
              Object o = ftf.getValue();
              try {               
                   Calendar cal = Calendar.getInstance();
                   cal.setTime((Date)o);
                   float seconds = cal.getTimeInMillis()/1000.0F;
                   return sdf.format(o);
                   //return new Float(seconds);
              } catch (Exception exc) {
                   System.err.println("getCellEditorValue: can't parse o: " + o);
                   exc.printStackTrace();
                   return null;
         // Override to check whether the edit is valid,
         // setting the value if it is and complaining if
         // it isn't. If it's OK for the editor to go
         // away, we need to invoke the superclass's version
         // of this method so that everything gets cleaned up.
         public boolean stopCellEditing() {
              JFormattedTextField ftf = (JFormattedTextField) getComponent();
              if (ftf.isEditValid()) {
                   try {
                        ftf.commitEdit();
                   } catch (java.text.ParseException exc) {
              } else { // text is invalid
                   ftf.setBorder(BorderFactory.createLineBorder(Color.RED));
                   ftf.setBackground(Color.PINK);
                   return false; // don't let the editor go away
              return super.stopCellEditing();
    //=====================================================
    * TableFTFEditDemo.java is a 1.4 application that requires one other file:
    *   IntegerEditor.java
    import javax.swing.JFrame;
    import javax.swing.JDialog;
    import javax.swing.JPanel;
    import javax.swing.JScrollPane;
    import javax.swing.JTable;
    import javax.swing.table.AbstractTableModel;
    import java.awt.Dimension;
    import java.awt.GridLayout;
    import java.text.ParseException;
    * This is exactly like TableDemo, except that it uses a
    * custom cell editor to validate integer input.
    public class TableFTFEditDemo extends JPanel {
        private boolean DEBUG = false;
        public TableFTFEditDemo() throws ParseException {
            super(new GridLayout(1,0));
            JTable table = new JTable(new MyTableModel());
            table.setPreferredScrollableViewportSize(new Dimension(500, 70));
            //Create the scroll pane and add the table to it.
            JScrollPane scrollPane = new JScrollPane(table);
            //Set up stricter input validation for the integer column.
         //   table.setDefaultEditor(Float.class,
           //                        new IntegerEditor(0, 100));
         //If we didn't want this editor to be used for other
         //Integer columns, we'd do this:
         table.getColumnModel().getColumn(3).setCellEditor(
              new IntegerEditor(0, 100));
            //Add the scroll pane to this panel.
            add(scrollPane);
        class MyTableModel extends AbstractTableModel {
            private String[] columnNames = {"First Name",
                                            "Last Name",
                                            "Sport",
                                            "# of Years",
                                            "Vegetarian"};
            private Object[][] data = {
                {"Mary", "Campione",
                 "Snowboarding", new Float(5.7), new Boolean(false)},
                {"Alison", "Huml",
                 "Rowing", new Float(3.5), new Boolean(true)},
                {"Kathy", "Walrath",
                 "Knitting", new Float(2.9), new Boolean(false)},
                {"Sharon", "Zakhour",
                 "Speed reading", new Float(20.8), new Boolean(true)},
                {"Philip", "Milne",
                 "Pool", new Float(10.5), new Boolean(false)}
            public int getColumnCount() {
                return columnNames.length;
            public int getRowCount() {
                return data.length;
            public String getColumnName(int col) {
                return columnNames[col];
            public Object getValueAt(int row, int col) {
                return data[row][col];
             * JTable uses this method to determine the default renderer/
             * editor for each cell.  If we didn't implement this method,
             * then the last column would contain text ("true"/"false"),
             * rather than a check box.
            public Class getColumnClass(int c) {
                 Object obj = getValueAt(0, c);
                 System.out.println("getColumnClass.obj:" + obj);
                return obj.getClass();
            public boolean isCellEditable(int row, int col) {
                //Note that the data/cell address is constant,
                //no matter where the cell appears onscreen.
                if (col < 2) {
                    return false;
                } else {
                    return true;
            public void setValueAt(Object value, int row, int col) {
                if (DEBUG) {
                    System.out.println("Setting value at " + row + "," + col
                                       + " to " + value
                                       + " (an instance of "
                                       + value.getClass() + ")");
                data[row][col] = value;
                fireTableCellUpdated(row, col);
                if (DEBUG) {
                    System.out.println("New value of data:");
                    printDebugData();
            private void printDebugData() {
                int numRows = getRowCount();
                int numCols = getColumnCount();
                for (int i=0; i < numRows; i++) {
                    System.out.print("    row " + i + ":");
                    for (int j=0; j < numCols; j++) {
                        System.out.print("  " + data[i][j]);
                    System.out.println();
                System.out.println("--------------------------");
         * Create the GUI and show it.  For thread safety,
         * this method should be invoked from the
         * event-dispatching thread.
         * @throws ParseException
        private static void createAndShowGUI() throws ParseException {
            //Make sure we have nice window decorations.
            JFrame.setDefaultLookAndFeelDecorated(true);
            //Create and set up the window.
            JFrame frame = new JFrame("TableFTFEditDemo");
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            //Create and set up the content pane.
            TableFTFEditDemo newContentPane = new TableFTFEditDemo();
            newContentPane.setOpaque(true); //content panes must be opaque
            frame.setContentPane(newContentPane);
            //Display the window.
            frame.pack();
            frame.setVisible(true);
        public static void main(String[] args) {
            //Schedule a job for the event-dispatching thread:
            //creating and showing this application's GUI.
            javax.swing.SwingUtilities.invokeLater(new Runnable() {
                public void run() {
                    try {
                             createAndShowGUI();
                        } catch (ParseException e) {
                             // TODO Auto-generated catch block
                             e.printStackTrace();
    }

  • How to delete clips in old Imovie version instructions do not work

    How can I delete clips in events in imovie? I get the red line but when i click send to trash nothing happens. Likewise when I press command delete together the clips are not trashed. Just a "beep" Help! My computer is full!

    That is to rename the Sections within the template, not the name of the Template in the Template Chooser, and it is greyed out if there are no alternative sections.
    It is clumsy but you either go to the Templates folder in your User Library and rename it there, or save it with the new name and then delete the old one.
    Peter

  • Clip duration in imovie 9

    Is it possible to import clips with the same duration as they shot in the HD camera instead of the four second clips that show up automatically?

    You may be confusing clips with thumbnails. The default thumbnail length is 5 seconds but you can move the thumbnail slider to adjust this to anything from 1/2 second per thumbnail to a single thumbnail for the whole clip.

  • How To display clip info (camera name / audio wave)

    I have a multi-layer stream I am building.  I would like to include the Camera Name and Audio Wave displayed in the final rendering.  Is this possible?  As a baseline, I have already used the Inspector to assign values to the Camera Name and Camera Angle.  These are the values I would like to have included in my final product.
    Thanks
    This is a shot of my work in progress:

    This utility sounds like what you need EXIFutils for Mac OS X

  • When I adjust the duration of a clip or transaction, iMovie automatically adjusts the duration of another clip; how can I shut this feature off?

    In iMovie when I adjust the duration of a photo clip or transaction, iMovie automatically changes the duration of another clip; how can I shut this feature off?

    Ok, well you won't get a "speed scale" indicator when editing a title clip. You can only adjust duration. Now, is there music attached to the title clip? Are you adjusting the TITLE TEXT box ONLY? Try adjusting the clip BELOW Title Text box 1st, then Title Text clip.  Is the Title attached to your own video OR is it one of iMovie's default Titles??

  • How to change the clip's duration under imovie 10.0.3?

    How to change the clip's duration under imovie 10.0.3?

    This is a new feature introduced in 10.0.3 which works fine for me.  The old way was to select Modify - Fast Forward.  You can only select certain speed ratios but a slider should appear near the top of the clip which allows finer speed adjustment.  have you tried this?
    Geoff.

  • Hi, is there any option how I can edit duration of multiple video clips (not stills) in iMovie 11, lets say if I want them 2 seconds long? Many thanks for any advice... Tom

    Hi, is there any option how I can edit duration of multiple video clips (not stills) in iMovie 11, lets say if I want them 2 seconds long? Many thanks for any advice... Tom

    Yes.
    iMovie 11 tutorials:
    http://help.apple.com/imovie/
    http://www.apple.com/ilife/tutorials/#imovie
    and also these:
    http://www.kenstone.net/fcp_homepage/imovie_09_stone.html
    http://www.kenstone.net/fcp_homepage/imovie_09_stone.html#interface

  • Can no longer access iPhoto from the iMovie camera browser..not working. Also the Inspector tool not working properly. Cannot change clip duration.

    How can I fix the INSPECTOR Tool?   Clip duration is not working properly, it is very erratic.  You type a number and a different one comes up on the clip.
    Suddenly the iPhoto Camera browser in iMovie is not working properly either.  Can not access my iPhotos to include them in iMovie project.

    Have you tried this?
    From the "HOME" screen, go to "SETTINGS > PRIVACY > PHOTOS" and see if iMovie is listed in the "PHOTOS" page. If it is, then tap the iMovie switch to "ON"
    Now your Videos & Photos should be accessible in the iMovie App.

  • Can't adjust clip duration of still photos in iMovie '11

    Anyone having the same problem? I inserted a still photo in one of my projects in iMovie which has a a clip duration of 5s when added. I clicked the cogwheel icon then chose the inspector to adjust the duration. I've managed to changed it to 3s but after I clicked "Done", the clip duration is still under 5s.
    I didn't encountered this problem before in iMovie '10 and I've searched over at Google and found out that many iMovie '11 users have the same dilemma.
    Any workaround you can suggest? Thanks!

    "problems setting duration for still photos and transitions in iMovie '11"
    A number of people have experienced the same problem and written about it on discussions. Lots of difference solutions as well. If you search using the title quoted above, you can read the solution I found. It's more complicated than it should be. I've never had to fiddle as much with duration times for transitions and still photos. Nevertheless, the steps I have described work for me. You will also find the steps another reader offered that may work for you if all of your transitions are set for the same durations and all of the still photos are as well.

  • How do I transfer EDITED clips from one IMovie to another

    I have tried to transfer edited clips (with original sound) from one IMovie to another. However, the system transfered the original clips instead of the edited clips.
    Does anyone have any tips on how to transfer the edited clips only and not the original clips.
    osx 10.3.9 and Imovie 5.0.2

    That will copy the original, imported material, not
    the edited version. I.e. if I trim an imported clip,
    the .mov file will still be the un-trimmed,
    full-length clip.
    Not the movie Lennart means. The movie Lennart refers to — called the Timeline Movie.mov and located in the Cache folder inside the project — plays the edited Timeline of Project A. (It's a reference movie containing pointers to the audio and video files in the Media folder.) When that Timeline Movie is imported to Project B, it delivers all the edited video and audio of Project A as a single clip to Project B. (He's not referring to the video and audio files in the Media folder, which I think you mean.)
    taronger, if all you want is a single clip, another way is to select the clip in the iMovie Timeline and export it to a Full Quality movie. Be sure to turn on the checkbox "Share selected clips only" in the export dialog window. Later, import that exported movie to another project.
    I did some trials and found out that transfering edited clips (not original clips) can be done by selecting several consecutive clips in the original movie, and using the copy command. It is then possible to go to the new movie and use the paste command to transfer the edited clips.
    Yes, that delivers the clips, but it doesn't deliver shortened clips. It delivers the entire source file of the clip. So if Clip 2 is 5 seconds long but its source file is 3 minutes long you get the entire 3 minute source file.
    It's sometimes easiest to export the clips you want from Project A back to the camera, then re-import them to Project B. That accomplishes everything you want, delivering the edited material trimmed to the shortest length possible.
    Note that the clips must stand shoulder-to-shoulder on the Timeline and the "Share selected clips only" checkbox must be checked. (Some versions of iMovie fail to stop the export to the camera at the end of the last clip. You may have to stop it manually.)
    Karl

  • I can take video made in Photo Booth and use in my Smilebox greetings and I can use photos from iPhoto to use there also.  I have not been able to figure out how to take clips from iMovie for that.

    For anyone who has used "Smilebox" for greeting cards:  I can take video made in Photo Booth and use in my Smilebox greetings and I can use photos from iPhoto to use there also.  I have not been able to figure out how to take clips from iMovie for use with Smilebox.

    For anyone who has used "Smilebox" for greeting cards:  I can take video made in Photo Booth and use in my Smilebox greetings and I can use photos from iPhoto to use there also.  I have not been able to figure out how to take clips from iMovie for use with Smilebox.

  • How to cut clips on iMovie for iPhone 4

    I can't figure out how to remove extraneous footage from a clip in the iMovie app for iPhone 4. It's driving me crazy. How can you delete a part of a clip??

    This is what I am trying to do. Selecting it makes the yellow clip "ends" show up, but then HOW to consistent get the segment clipped with the next touch to the screen? Is it a tap and finger scrape? Sometimes I am successful but A) most of the time NOTHING happens, and B) I can't get a feel for the control in order to get the cut just right.
    AArgh.
    To top it off, when I went to put my music on, AFTER I worked a couple hours on my first imovie on the phone, SOMEHOW the entire app disappeared from my phone!! Yes, it was on my iMac, but when I reloaded it onto the phone again, my little movie was gone! What the **** happened?? (I am now trying to do my little movie again - good practice, anyway...)

Maybe you are looking for

  • Is there a way to use a shortcut value in the page's header template ?

    Hello everybody, we would like to create a page template with centralized information in the database. I tried to use the shortcuts inside the page template, but it doesn't seems it's working, or I'm not using it correctly. The only way I was able to

  • Error in Local Message System: Partner function RP is not defined

    Hi Team, I have configured Service Desk in solution manager 4.0 and When I create message from Development server I am able to see in Solution manager. Every thing works fine in Developement server.But in Quality i am not able to create mesage. I hav

  • Export INTERNAL TABLE to shared buffer

    Hi all, My requirement: Export INTERNAL TABLE to shared buffer or SAP Memory. Any help will be appreciated. Can SET/GET parameter be adopted for internal tables? Thanks, Tabraiz

  • Parallels vs Bootcamp

    Does anyone have any unbiased opinions on Bootcamp versus Parallels for my iMac. I have 4GB of RAM  and the dual Intel 3.06GHz processor. My concern with parallels is the resource that it requires when it is suspended. I understand that the memory fo

  • Import the data in CMS

    hi...Fri's i exported data from dev to quality  using CMS , when i am trying to import the data in CMS , the import failed.. how can i import the data in CMS.. thanks in Advance, Pasi.