Audio waveform sync and drifting problems on imported AIF's in FCP 6

Hi FCP people,
I have been having problems importing bounced audio files into Final Cut Pro 6. I've done a search and can't find anything to help me yet, so here's a new post.
This has happened on two projects: both files are 16-bit 48KHz.
1) Having finished an edit (HDV 1080/50i timeline) I exported my audio into Soundtrack to finish the audio mix and normalise, and then saved the bounce. When I imported that back into FCP the audio seems to drift. What is particularly strange is that the waveform looks like the audio is in the right place, but the sound comes out before it should. V. Weird!!!
2) The second file was sent to me from another system. I was given a FCP file (I have a copy of the source footage on my HD and reconnected it). They also sent me the audio mix. Once again, this file seems to drift out of time, yet the waveform looks right.
When I import the video file and audio bounce file into FCPv5 it works ok.
Can anyone help me on this? Or is this a problem with FCP that others are also having?
Many thanks, Tim

Hi Zak,
many thanks for your reply, i have contacted Apple and taking your advice and using compressor i have converted the codec H.264 to Apple Pro Res 422 for interlaced material.
I have imported this file and when i drag once again from the viewer to canvas i get the standard box asking to change the sequence to match the clip.
I am still getting the red line above the timeline and bleeping as audio.
any idea?

Similar Messages

  • Java Audio Metronome | Timing and Speed Problems

    Hi all,
    I’m starting to work on a music/metronome application in Java and I’m running into some problems with the timing and speed.
    For testing purposes I’m trying to play two sine wave tones at the same time at regular intervals, but instead they play in sync for a few beats and then slightly out of sync for a few beats and then back in sync again for a few beats.
    From researching good metronome programming, I found that Thread.sleep() is horrible for timing, so I completely avoided that and went with checking System.nanoTime() to determine when the sounds should play.
    I’m using AudioSystem’s SourceDataLine for my audio player and I’m using a thread for each tone that constantly polls System.nanoTime() in order to determine when the sound should play. I create a new SourceDataLine and delete the previous one each time a sound plays, because the volume fluctuates if I leave the line open and keep playing sounds on the same line. I create the player before polling nanoTime() so that the player is already created and all it has to do is play the sound when it is time.
    In theory this seemed like a good method for getting each sound to play on time, but it’s not working correctly.
    At the moment this is just a simple test in Java, but my goal is to create my app on mobile devices (Android, iOS, Windows Phone, etc)...however my current method isn’t even keeping perfect time on a PC, so I’m worried that certain mobile devices with limited resources will have even more timing problems. I will also be adding more sounds to it to create more complex rhythms, so it needs to be able to handle multiple sounds going simultaneously without sounds lagging.
    Another problem I’m having is that the max tempo is controlled by the length of the tone since the tones don’t overlap each other. I tried adding additional threads so that every tone that played would get its own thread...but that really screwed up the timing, so I took it out. I would like to have a way to overlap the previous sound to allow for much higher tempos.
    I posted this question on StackOverflow where I got one reply and my response back explains why I went this direction instead of preloading a larger buffer (which is what they recommended). In short, I did try the buffer method first, but I want to also update a “beat counter” visual display and there was no way to know when the hardware was actually playing the sounds from the buffer. I mentioned that on StackOverflow and I also asked a couple more questions regarding the buffer method, but I haven’t received any more responses.
    http://stackoverflow.com/questions/24110247/java-audio-metronome-timing-and-speed-problems
    Any help getting these timing and speed issues straightened out would be greatly appreciated! Thanks.
    Here is my code...
    SoundTest.java
    import java.awt.*; 
    import java.awt.event.*; 
    import javax.swing.*; 
    import javax.swing.event.*; 
    import java.io.*; 
    import javax.sound.sampled.*; 
    public class SoundTest implements ActionListener { 
        static SoundTest soundTest; 
        // ENABLE/DISABLE SOUNDS 
        boolean playSound1  = true; 
        boolean playSound2  = true; 
        JFrame mainFrame; 
        JPanel mainContent; 
        JPanel center; 
        JButton buttonPlay; 
        int sampleRate = 44100; 
        long startTime;  
        SourceDataLine line = null;  
        int tickLength; 
        boolean playing = false; 
        SoundElement sound01; 
        SoundElement sound02; 
        public static void main (String[] args) {        
            soundTest = new SoundTest(); 
            SwingUtilities.invokeLater(new Runnable() { public void run() { 
                soundTest.gui_CreateAndShow(); 
        public void gui_CreateAndShow() { 
            gui_FrameAndContentPanel(); 
            gui_AddContent(); 
        public void gui_FrameAndContentPanel() { 
            mainContent = new JPanel(); 
            mainContent.setLayout(new BorderLayout()); 
            mainContent.setPreferredSize(new Dimension(500,500)); 
            mainContent.setOpaque(true); 
            mainFrame = new JFrame("Sound Test");                
            mainFrame.setContentPane(mainContent);               
            mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); 
            mainFrame.pack(); 
            mainFrame.setVisible(true); 
        public void gui_AddContent() { 
            JPanel center = new JPanel(); 
            center.setOpaque(true); 
            buttonPlay = new JButton("PLAY / STOP"); 
            buttonPlay.setActionCommand("play"); 
            buttonPlay.addActionListener(this); 
            buttonPlay.setPreferredSize(new Dimension(200, 50)); 
            center.add(buttonPlay); 
            mainContent.add(center, BorderLayout.CENTER); 
        public void actionPerformed(ActionEvent e) { 
            if (!playing) { 
                playing = true; 
                if (playSound1) 
                    sound01 = new SoundElement(this, "Sound1", 800, 1); 
                if (playSound2) 
                    sound02 = new SoundElement(this, "Sound2", 1200, 1); 
                startTime = System.nanoTime(); 
                if (playSound1) 
                    new Thread(sound01).start(); 
                if (playSound2) 
                    new Thread(sound02).start(); 
            else { 
                playing = false; 
    SoundElement.java
    import java.io.*; 
    import javax.sound.sampled.*; 
    public class SoundElement implements Runnable { 
        SoundTest soundTest; 
        // TEMPO CHANGE 
        // 750000000=80bpm | 300000000=200bpm | 200000000=300bpm 
        long nsDelay = 750000000; 
        long before; 
        long after; 
        long diff; 
        String name=""; 
        int clickLength = 4100;  
        byte[] audioFile; 
        double clickFrequency; 
        double subdivision; 
        SourceDataLine line = null; 
        long audioFilePlay; 
        public SoundElement(SoundTest soundTestIn, String nameIn, double clickFrequencyIn, double subdivisionIn){ 
            soundTest = soundTestIn; 
            name = nameIn; 
            clickFrequency = clickFrequencyIn; 
            subdivision = subdivisionIn; 
            generateAudioFile(); 
        public void generateAudioFile(){ 
            audioFile = new byte[clickLength * 2]; 
            double temp; 
            short maxSample; 
            int p=0; 
            for (int i = 0; i < audioFile.length;){ 
                temp = Math.sin(2 * Math.PI * p++ / (soundTest.sampleRate/clickFrequency)); 
                maxSample = (short) (temp * Short.MAX_VALUE); 
                audioFile[i++] = (byte) (maxSample & 0x00ff);            
                audioFile[i++] = (byte) ((maxSample & 0xff00) >>> 8); 
        public void run() { 
            createPlayer(); 
            audioFilePlay = soundTest.startTime + nsDelay; 
            while (soundTest.playing){ 
                if (System.nanoTime() >= audioFilePlay){ 
                    play(); 
                    destroyPlayer(); 
                    createPlayer();              
                    audioFilePlay += nsDelay; 
            try { destroyPlayer(); } catch (Exception e) { } 
        public void createPlayer(){ 
            AudioFormat af = new AudioFormat(soundTest.sampleRate, 16, 1, true, false); 
            try { 
                line = AudioSystem.getSourceDataLine(af); 
                line.open(af); 
                line.start(); 
            catch (Exception ex) { ex.printStackTrace(); } 
        public void play(){ 
            line.write(audioFile, 0, audioFile.length); 
        public void destroyPlayer(){ 
            line.drain(); 
            line.close(); 

    Thanks but you have never posted reply s0lutions before ?? And F 4 is definitely not 10 times faster as stated before I upgraded !!

  • Syncing and Charging Problem with 1st gen iPod nano

    I purchased a 1st generation iPod nano via eBay about 3 months ago and have developed an interesting syncing and charging problem.  When I plug the nano to my iMac, frequently neither the computer nor iTunes will recognize it.  I have done "the five R's" with occasional success.  I've tried jiggling the cable in the computer port and sometimes it works in getting iTunes to recognize the nano, sometimes it doesn't.  Even when I am able to get iTunes to recognize the nano, I have frequently found that the nano hasn't charged up at all.  In fact, a couple of times I found it almost totally drained of power after having been connected to my computer.  Yes, I have the most recent version of iTunes installed on my iMac and my iMac, by the way, is relatively new - having been purchased in May of this year.  What is interesting is that I've taken my nano to work and it has absolutely no problem charging up on my Dell (yuk!).  For the record, I do not have iTunes installed on my work computer and I am not allowed to add any apps to my work computer without the consent of my supervisor.  The chances of getting iTunes installed on my Dell at work are pretty much nil.  Any suggestions on how I can fix the problem?

    I bought a new USB dock connector and hoped, with fingers and toes crossed, that something positive would happen.  Sure enough, I was able to sync and recharge my old iPod nano.  I guess the original USB dock cable is on its last legs.  Not totally broken, but no longer reliable.  I consider my problem solved!    My thanks to everyone who took the time to read and try to solve my iPod problem.  I greatly appreciate it! 

  • Ipon nano 3rd generation red. Sync and storage problems.

    I have just got the new iPod nano (product red) 8 GB capacity. When i started to sync with my Intel Macbook i got suprised with a sync and storage problem. It starts syncing and suddendly it stops and lock the iPod and the Itunes. The must surprising is that happens every time the storage capacity reaches about 300 mb of music. Does anybody got this kinf of problem?
    I have tried all the solutions I have found: formatting the iPod, connecting on a PC, restoring the factory settings and nothing works.

    You'll want to copy what is currently on the Nano to your iTunes library on the laptop.  Your iPod can only be synced with one iTunes library at a time. See this older post from another forum member Zevoneer covering the different methods and software available to assist you with the task of copying content from your iPod back to your PC and into iTunes.
    https://discussions.apple.com/thread/2452022?start=0&tstart=0
    B-rock

  • Serious M-Audio Profire 610 sync and dropout problem

    After an, over a month, waiting for a solution to the problem from m-audio, I have to post the problem to the community:
    I m using an early 2009 8-core MAC PRO with M-Audio Profire 610, using it for video editing with Final Cut Pro (and sound design with Pro Tools).
    The problem is that since I've  updated the machine to 10.6.7,  I m experiencing VIDEO dropouts in Final Cut, the very first playback seconds of EVERY video track (on every codec) that I try to preview and at any point of it.
    Also, occasionally, the audio-video sync is lost and I have to pause-play in order to gain the sync back on..
    When I switch the audio output to Built in audio or Display audio, the dropout and sync problem disappears. When I switch back to Profire 610 the dropout starts again.
    The video and audio settings and the tracks encoding are the same for at least 2 years now, since I m working ALLWAYS with my P2 panasonic DCVPROHD camera, with which I have shot and edit in my MAC PRO multiple videos, including a feature film..
    I have tested the problem on two Macbook pros (early 2007) that I use for the shootings and the problem is there also !(when I plug the Profire 610)
    The last think that I 've tried on my main unit, was:
    -do a zero data format to my vertex 2 ssd boot drive,
    -do a clean install of Snow Leopard (10.6.0)
    -restore the system from a time machine backup (the os still remains 10.6.0)
    -run 10.6.6 combo update
    -uninstall the profire driver
    -repair permissions
    -install the profire driver (for 32 bit 10.6.6)
    -repair permissions.
    The problem's still here.
    I m stuck with my projects here… Is there a solution out there?
    Thank you very much for the attention
    Diamantis

    So, to be clear, it happens when the FirePro 610 in connected, and does not happen when it's diconnected?
    That is obviously directly related to the FirePRo 610 having some hardware latency issues on an OS level.  That's up to M-Audio to fix.  There was never anything wrong with your Mac, there's something wrong with the M-Audio unit, obviously.
    Do you have a FW hard drive plugged in?  If so, will it work correctly without any other FW devices connected?
    It could be defective.
    http://forums.m-audio.com/showthread.php?10302-Firepro-610-on-Mac-OS-10.5.7&p=46 873

  • How do I magnify an audio waveform vertically and display its dB level?

    How do I magnify an audio waveform vertically, either in the sample editor or in the arrange window? I'm not referring here to the track's magnification though.
    Also, how do I display the WAV's amplitude in dB? Only samples or percentage seem to be possible.

    i've wanted to know the same thing, I've not found ANTYHING in the manual. I don't think you can, Of course, as you said, you can view samples and percentage in the sample editor. There doesn't seem to be any view in the arrange window to set, which would be real nice to have. I think it's just not there.

  • Syncing and recognition problems

    When trying to sync my iPhone as usual my Mac does now not recognise my iPhone. When I put in my password the Mac accepts the iPhone, tells me it is already registered, then stops the sync and tells me the iphone is not recognised again. What should I do?

    Thanks navhari but that did not do it. I wonder whether the problem relates to the fact that my wife also uses the Mac with her iphone sometimes. We have existed like this for ages but this is a new problem today. When asked to register my iphone her itunes account address pops up, not mine, so I change the address to my own and try to log in ar described above.

  • Sync and Wifi problem (iphone 3G 3.0)

    So I've been updated to 3.0 since launch day, and I've been having these problems.
    First, when I plug my phone into my pc to sync, sometimes (more often than not) just disconnects and reconnects in a loop, and will do so until I unplug it. I've tried every port in my pc, and it still does it. I switched it to my laptop, and no problems. I've reinstalled itunes and the mobile device drivers, and can't think of what else I can do to fix it.
    The other problem is that my phone won't stay on wifi when it is connected. It will continually switch on and off, and my browser and apps will tell me that I don't have a connection to the internet, even if I have 3g service while the wifi is disabled. Just started doing that with 3.0. I've reset my phone, powered on and off, and factory restored it twice. Not sure what else I can do, thanks!

    Restored my phone again, still no change.

  • Sync and Disconnect Problems

    After recent I-Tunes update, I-pod nano 3rd generation says it is syncing and then automatically disconnects and prevents another sync from occurring because of the message that "I-Pod cannot be found." Restarting computer and reopening I-Tunes does solve the problem. Resetting the I-pod did not solve the problem. New music can be added to any previously created playlist that I had created that shows up on the computer; however, any new playlist, along with any music added to the new playlist, will not sync and show up on the handheld i-pod. This only began occurring after the recent I-Tunes update. Sorry I ever did the update. It's been time consuming searching for a solution when the problem is on the end of the new update.

    Does Apple care about it customers?
    Too many customers having I-Pod problems and glitches that Apple does not appear to be addressing.
    Looks like they only care about the initial purchase and leave their customer out in the desert for any problems that are created by their updates!

  • Iphone 3g usb sync and charging problem

    After resetting 5 authorization process, i could not charge my phone again from computer via usb.
    In addition, it has't sync iTunes program any more.
    For this reason, I restored the factory settings.
    But because of the sync has not taken place, phone did not open.
    Now what should i do?

    did you sync before this? if you sync before this problem then restore to the factory setting and put back the backup after few days.then after backup try to delete some app that you seldom use. maybe this will work

  • Ipod New computer sync and homeshare problem?

    I recently purchased a new laptop and used home share to transfer my i tunes libary. The first problem is i tunes has not moved all my music only the items purchased on i tunes which is only 5 albums! How do I get it to transfer all of my music?
    Also on to 2nd problem, my ipod classic wont sync with my new laptop, I am not getting any error messages. I just click sync and its says syncing but after a couple of seconds ejects my ipod?
    Please help, I want to turn my old computer off and get rid of it but cant until I have my music?
    Thanks

    I have a new computer and would like to take my
    existing songs on my iPod shuffle and move them to my
    new computer, but I receive a "sync and erase" error
    message because my iPod is currently synced with
    another computer. I understand that I'm not able to
    sync with two computers, but is there a way to move
    my current playlists to my new computer? I don't
    want to sync back and forth- I'd like to swtich to my
    new computer and stop using my old computer.
    Hopefully, there's a way to permanently make a
    switch.
    Thanks for any help and suggestions.
    See second post in the following thread:
    http://discussions.apple.com/thread.jspa?messageID=3795711&#3795711

  • Sync and user problems

    Hello,
    Because I needed to Bootcamp my mac I had to reinstall my OSX system.
    Oke, no problem I had a back up with Time-Machine.
    So I reinstalled my mac and I aks for Time machine to put everything back on the system.
    After it was completed it asked me to restart my computer. When I did there came a message "restart your computer" and it keeps repeating itself so i can't do anything.
    (I reinstalled it again and it worked fine but when I wanted to put it again on the system it failed again.)
    So I wanted to fix it manual by dragging my programs, but that doesn't work either because I have no permission to acces my files. Because I had to make a new user account.
    (I really don't see what's the point when you can't put your files on a new system/computer.)
    Anyone know how to fix this?
    thanks,
    kama
    Message was edited by: kamakama

    Your backups may be damaged/corrupted.
    Try to repair them, per #A5 in [Time Machine - Troubleshooting|http://web.me.com/pondini/Time_Machine/Troubleshooting.html] (or use the link in *User Tips* at the top of this forum).
    If that finds and fixes problems, try the restore again.
    If not, your best bet may be to do an +Erase and Install+ of Leopard from the Install disc, then use +Setup Assistant+ when your Mac restarts, per #19 in [Time Machine - Frequently Asked Questions|http://web.me.com/pondini/Time_Machine/FAQ.html] (or use the link in *User Tips* at the top of this forum).
    Then download and install the the "combo" update. Info and download available at: http://support.apple.com/downloads/MacOS_X_10_5_8_ComboUpdate Be sure to do a +Repair Permissions+ via Disk Utility (in your Applications/Utilities folder) afterwards.

  • Curve 8310 sync and message problem

    I am hoping someone can help--I must have set something up wrong--my curve stopped syncing with my outlook; after taking to at&t and cheking device they said to reinstall desktop program. Program was shutting down after getting halfway thru calendar entries. I reinstalled several times. Now my desktop and handheld are being overwhlemed every few minutes with emails from [email protected] that say not to delete or move--the handheld seems to be functioning otherwise, but I still can't sync and I can barely find what I need among all this garbage--can anyone help me??? Thanks so much!

    If you are running oulook 2003 or above I would recommens loading Desktop software 4.5 (latest) and getting the BB USB drivers. I will provide you with the links, in just a second.
    For desktop software 4.5
     https://www.blackberry.com/Downloads/entry.do?code=A8BAA56554F96369AB93E4F3BB068C22
    For USB driver (english)
    https://www.blackberry.com/Downloads/contactFormPreload.do?code=A8BAA56554F96369AB93E4F3BB068C22&dl=...
    Message Edited by Bifocals on 08-11-2008 04:45 PM
    Message Edited by Bifocals on 08-11-2008 04:46 PM
    Click Accept as Solution for posts that have solved your issue(s)!
    Be sure to click Like! for those who have helped you.
    Install BlackBerry Protect it's a free application designed to help find your lost BlackBerry smartphone, and keep the information on it secure.

  • Sync and connect problem

    i keep trying to get sync and connect to work and it keeps giving me the same error
    "We are currently unable to complete your request, please try again later. If you continue to get this message please contact technical support at support.vzw.com "
    i have a verizon blitz as the phone and i running backup assistant too. thanks

    Hello Ohefoeshow,
    Are you using your device to try to activate the Sync and Connect?  If so, you will need to do so from a computer at the designated website.  The Blitz is not Sync and Connect compatible.  You can navigate to www.vzw.com/sync to set up and manage the program.  Once you sign into your My Verizon site at the link above it will automatically prompt you to agree to the terms and conditions and begin the process of setting up you email account(s).  Please let me know if you have any additional questions.   Thank you. 

  • Audio drop outs and continuing problems- Apple Support informed again.

    Hi All,
    Have had various audio problems with iMovie transfer to iDVD 6. iMovie had the problems initially but a weird trick seems to be helping me.
    Copy a random new audio track into my film, paste it, then cut it out then empty trash..... all of a sudden my audio is clean again and perfectly in time with the video. I have informed the iMovies people in Ireland and they are at a loss to explain why this is now ok.
    BACK to the plot and iDVD 6.
    When I try to export this project from iMovie in iDVD 6 it either becomes an audio garbled nightmare or if I try and import into iDVD 6 I get audio that gradually becomes out of sync with the video visual. I know that this project was recorded in 16 bit audio so no joy there.
    I've told Apple in Ireland that there are major audio issues with iDVD 6's audio set up + something they were apparently unaware of. I was assured that the tech dept's would investigate and solve. I am really surprised that they hadn't seen this problem in this forum!!
    In the meantime any advice is very gratefully received. I'm on an Intel G5 Imac with 1.83ghz 1Gb sdram and 250 GB HD. So Software is currently limited!! I desperately need to get this project to DVD!!!!
    Many thanks,
    GUY

    SAME EXACT THING HERE. This is what I posted in a diff thread:
    2013 iMac 1TB Flash Drive
    OS 10.8.5
    Constant audio drop outs using Apogee Duet. I have to unplug and replug several times to get the system to recognize it. Sometimes when it is connected, Audio Prefs doesn't even recognize it and it shows up as "Unknown". When I click Audio Prefs before I get in, I get the spinning beachball and it takes a while for it to open. I have been in touch with Apogee but to no avail. It seems to work on my 2013 Macbook Pro, but I haven't tested extensively. It seems to get tripped up if I'm working in Ableton and get a Facetime call or if I try to use Youtube / Soundcloud. The system gets noticebly slower. When I switch back to Ableton, Duet is recognized (sometimes not recognized at all) but I cannot play anything inside the project window.
    Not sure what to do at this point

Maybe you are looking for