Stopping Audio Recording before out point crashes?

Using cs5.5 and running everything out and in through a Matrox MX02 LE with MAX
Playing out video and audio from Premiere's Matrox timeline through the matrox box and to an audio booth through hd SDI. audio is coming back through embedded HD SDI through the matrox and into the pc and audio only is being recorded.
If I set an In and Out point and record from one to the other fully the recording will be fine, everything works and I can playback with the recorded tracks under the previously edited footage. 
The problem is if the talent messes up and I have to stop mid record and go back the audio is saved and I can save the project but I cannot play anything and when i try to do anything premiere locks up and crashes.
When i restart the program everything is there again and i can resume recording.
This however is a giant pain and not something that should be happening.
I'm wondering if adobe just assumed that all recording would go from in to out and when it hits the out point there is a command prompt that shuts everything down properly but when you stop it manually it just cuts and the program doesnt know quite what happened. Since I can record from the in to out point properly I can't gather any other reason why.
Anyone else run into this problem?

Huh.
Well...I've found Soundbooth far easier to use for this purpose.  Maybe try that or Audition, whichever you have.

Similar Messages

  • My quicktime player has stopped audio recording. Any suggestions what I can do?

    my quicktime player has stopped audio recording. Any suggestions what I can do?

    Have you tried restarting or resetting your iPhone?
    Restart: Press On/Off button until the Slide to Power Off slider appears, select Slide to Power Off and, after the iPhone shuts down, then press the On/Off button until the Apple logo appears.
    Reset: Press the Home and On/Off buttons at the same time and hold them until the Apple logo appears (about 10 seconds). Ignore the "Slide to power off"

  • Incorrectly stopping audio recording?

    Hi I am trying to record microphone audio with the following code and It seem that it is successfully saving a audio file as VLC player can play that file. But it is only the vlc player(which is very error tolerating player!) no other player can play that file!
    I think I am not closing/stopping the recording correctly. So Please help me to figure out the problem.
    import java.io.File;
    import java.util.Vector;
    import java.util.logging.Level;
    import java.util.logging.Logger;
    import javax.media.CaptureDeviceInfo;
    import javax.media.CaptureDeviceManager;
    import javax.media.ConfigureCompleteEvent;
    import javax.media.ControllerEvent;
    import javax.media.ControllerListener;
    import javax.media.DataSink;
    import javax.media.EndOfMediaEvent;
    import javax.media.Format;
    import javax.media.Manager;
    import javax.media.MediaLocator;
    import javax.media.PrefetchCompleteEvent;
    import javax.media.Processor;
    import javax.media.ProcessorModel;
    import javax.media.RealizeCompleteEvent;
    import javax.media.ResourceUnavailableEvent;
    import javax.media.StopByRequestEvent;
    import javax.media.format.AudioFormat;
    import javax.media.protocol.DataSource;
    import javax.media.protocol.FileTypeDescriptor;
    * @author Sowrov
    public class MicroPhone implements ControllerListener{
        CaptureDeviceInfo microPhoneInfo = null;
        Processor processor;
        Object waitSyn = new Object();
        boolean stateTransitionOK = true;
        public MicroPhone() {
            try {
                //finding a Audio Device
                Vector v = CaptureDeviceManager.getDeviceList(null);
                for (int i = 1; i < v.size(); i++) {
                    CaptureDeviceInfo cdi = (CaptureDeviceInfo) v.elementAt(i);
                    Format[] fm = cdi.getFormats();
                    for (int j = 0; j < fm.length; j++) {
                        if (fm[j] instanceof AudioFormat) {
                            microPhoneInfo = cdi; //take the 1st audio device!
                            break;
                    if (microPhoneInfo != null) {
                        break;
                if(microPhoneInfo == null){
                    System.out.println("Couldn't find any microphone");
                    System.exit(-1);
                //create a dataSource from the audio device
                DataSource mpDataSource =
                        Manager.createDataSource(microPhoneInfo.getLocator());
                //create the processor
                processor = Manager.createProcessor(mpDataSource);
                processor.addControllerListener(this);
                processor.configure();
                waitForState(processor, Processor.Configured);
                processor.realize();
                waitForState(processor, Processor.Realized);
                System.out.println("Audio Processor is ready");
            } catch (Exception ex) {
                Logger.getLogger(MicroPhone.class.getName()).log(Level.SEVERE, null, ex);
        public Processor getProcessor(){
            return this.processor;
        private void waitForState(Processor p, int state) throws Exception {
            synchronized (waitSyn) {
                while (p.getState() < state && stateTransitionOK) {
                    waitSyn.wait();
            if(!stateTransitionOK){
                throw new Exception("Couldn't Change the sate to: "+state);
        public void controllerUpdate(ControllerEvent evt) {
            System.out.println("MicroPhone Event: " + evt.getClass());
            if (evt instanceof ConfigureCompleteEvent ||
                    evt instanceof RealizeCompleteEvent ||
                    evt instanceof PrefetchCompleteEvent) {
                synchronized (waitSyn) {
                    stateTransitionOK = true;
                    waitSyn.notifyAll();
            } else if (evt instanceof ResourceUnavailableEvent) {
                synchronized (waitSyn) {
                    stateTransitionOK = false;
                    waitSyn.notifyAll();
            } else if (evt instanceof EndOfMediaEvent||
                    evt instanceof StopByRequestEvent) {
                evt.getSourceController().stop();
                evt.getSourceController().close();
        public static void main(String arg[]) throws Exception{
            //initializing Microphone setting
            MicroPhone mp = new MicroPhone();
            //getting the processor
            Processor p = mp.getProcessor();
            //getting the dataSource
            DataSource ds = p.getDataOutput();
            //creating Output ProcessorModel
            ProcessorModel outPM = new ProcessorModel(
                                           ds,
                                           null,
                                           new FileTypeDescriptor(FileTypeDescriptor.WAVE));
            //getting realized output Porcessor from the output ProdessorModel
            Processor outputProc = Manager.createRealizedProcessor(outPM);
            DataSource outDs = outputProc.getDataOutput();
            String outputFile = "file:" + System.getProperty("user.dir") +
                        File.separator + "audio.wav";
            //creating output MediaLocator
            MediaLocator outputLocator = new MediaLocator(outputFile);
            //getting the DataSink for output
            DataSink outputDataSink = Manager.createDataSink(outDs, outputLocator);
            //start processor
            p.start();
            //start datasoruce
            ds.start();
            outputDataSink.open();
            outputDataSink.start();
            outputProc.start();
            int time = 10;
            while(time-->0){
                Thread.sleep(1000);
                System.out.print(".");
            if (outputDataSink != null) {
                outputDataSink.stop();
                outputDataSink.close();
            //ds.stop();
            //p.stop();
            //stoping input datasource and processor doesn't make any difference
            p.close();
            //javax.media.
            if (outputProc != null) {
                outputProc.stop();
                outputProc.close();
            System.err.println("Done!");
    }

    The correct order for a processor / datasink is as follows...
    Create the processor
    Create the sink
    open the sink
    start the sink
    start the processor
    ....record record record...
    stop the processor
    stop the sink
    close the sink

  • Supplemental digital audio recorder drifts out of sync

    Dear All,
    I have just purchased a Sony ICD-UX70/UX80 digital audio recorder to use as a back-up emergency audio source and it works very well in capturing stereo digital audio. However, when trying to edit this audio source into my video, the audio keeps "drifting," I assume because of the difference in the frames per second between video and audio. Is there any "quick fix" to keep both audio sources in sync...a "make fit" that will adjust the audio to the space allotted to the video? Any suggestions?
    Thanks
    Barb

    Video runs at 48khz. The unit may record at 44.1khz. If that's the case, you need to resample the audio to match the sequence settings.
    Resampling can be done in QT Pro, iTunes, Soundtrack Pro, Peak or any number of audio editing programs.
    Good luck,
    x

  • Audio, recorded separately, strays from sync

    Hello,
    I have three sources of media that I'm using in my project, which is a recording of a gig that my band played:
    - Sony AVCHD video camera (front view), includes one video and a stereo pair
    - Sony AVCHD video camera (side view), includes one video and a stereo pair
    - three tracks of audio that were recorded using a separate multitrack audio recorder (Zoom R16).
    I've figured out how to sync the sources together - I set an in point on a distinct piece of audio that exists in all three sources (actually it's someone coughing, I didn't think to have the drummer clap his sticks together before we started). Then I set an in point in the sequence, edited in the three sources, and adjusted the in points of the clips forward to the beginning of the set. At that point where the clips were matched up, the sources are perfectly in sync.
    However, within 30 seconds before or after the sync point, some drift is evident in the audio that was captured on the R16. And a few minutes out, it's seconds off. I capture these gigs one set at a time, so we're talking about clips that are an hour long (we usually do two or three sets).
    I didn't pay much attention to the detailed settings of the audio recorder before I captured the gig. Actually, I recall that the basic marketing/quickstart tutorials on the Apple website say you can pretty much use any video or audio in a single project in FCE and it would convert/transcode for you as necessary.
    Had a look at the clip properties, and I see that the audio captured in the cameras is 48.0 KHz, while the R16 captured the audio at 44.1 KHz. If I'd noticed the difference beforehand I would have changed the R16's settings to match, just to be thorough - but I am a little disappointed - I'd thought that there would be compensation for differences like these... this is digital!
    Could this difference in the sample rates be the problem? Regardless, can anyone suggest how I might be able to resample or convert the audio so that it doesn't drift like this?
    Thanks much in advance, and cheers.

    fudster wrote:
    RyanManUtd wrote:
    Hmmm ... honestly .... I am running out of ideas ...
    Can I ask:
    1. did you get both their starting point correct ?
    2. Are the duration of both the video clips & audio clips you are trying to sync the same length ? That is, if the audio is 10 secs, then is the video also 10 secs ?
    Thanks
    Hey -
    1. Yes, I'm certain that I matched up the in points correctly while making the edits. In the audio tracks, I zoomed in all the way so I could get sub-frame position - as described starting on pg 474 of the manual. At that point, they are in perfect sync. And as you get further away from that matched point in the sequence, the drift gets worse.
    2. The length of the audio that was recorded on the cameras is exactly the same length as the video (of course). The audio clips recorded on the R16 are all exactly the same length as each other as well.
    However the R16 clips are not the same length as the video clips, and the two videos are not the same length as each other. They are a few seconds different from each other, because of the way I start the recording - I step onto the stage and before we start playing, I use the infrared remote to start the recording on each of the cameras one at a time, and then I start the recording on the R16.
    I don't actually know how exact clip lengths from separate recording sources could be achieved, and since I'm editing them in separately, I think it shouldn't make a different. The keyword being "shouldn't", of course. In any case, if you extend the clips all the way out to play all the available media in the track (using up all the handles), the extents of the clips in the tracks appear a few seconds different from each other, as they should.
    Thanks for your suggestions, I'll keep trying to come up with something. Feel free to suggest other things you think of, I do appreciate your time and help.
    I have run out of ideas ... Anyone here can help ?

  • Problems with 1.5 and vista - audio recording

    Hello.  I have PP 1.5.  I have an Audio Techinca AT2020USB microphone.  I have a couple different computers running 1.5 - The one that has XP as an OS, I can use the mic to record audio.  On the computer that runs Vista, I can not.  Is anyone aware of any patch or anything that will allow me to make this work?
    Please, advise.  Thank you.
    bobhugejunk

    YOU ARE THE MAN!!!!  It took a little bit of working the configurations, but I got it to work....oh, me so happy...oh, oh, me so happy
    Thank you!
    Make sure you visit www.bobhughesmichigan.com for my music samples, schedule and video information!
    Date: Wed, 21 Oct 2009 19:34:20 -0600
    From: [email protected]
    To: [email protected]
    Subject: Problems with 1.5 and vista - audio recording
    As Jim points out, CS3 was the first Vista-certified version, though many did get PrPro 2.0 to run on it.
    Now, if PrPro 1.5 is running otherwise, you might have some luck with http://www.asio4all.com You'll need to download this freeware, install it, and then point PrPro to it in Edit>Preferences>Audio Hardware>Asio Settings for input and output.
    Good luck,
    Hunt
    >

  • Batch Capture Randomly Changes In and Out Points

    I'm editing a documentary on Final Cut Pro 5.0.
    Using a SONY DSR-11 firewire deck.
    I logged sets of clips and then batch captured them. I DIDN'T select add handles in the batch capture tool. Some clips, as they're captured, change their in and out points. Sometimes by two frames early, sometimes by two frames late, and sometimes not at all. Several clips even stopped captured with an out point twenty seconds earlier than what I'd logged. The result is that I have clips with media start and media end points that are not in what I wanted. There seems to be no rhyme or reason whatsoever to this.
    Any ideas what's going on?
    Many Thanks if you do!
    Micah
    G4   Mac OS X (10.4.6)   Dual 1.25 Processors

    Check to see if your tapes have NDF time code.
    If you play a tape with NDF TC using Log & Capture, the current time display will defaut to DF until the tape palys forward long enough for the current time field to update. It is posible to log NDF tapes as DF, in which case the timecode values can be incorrectly re-converted if recapturing.
    Also, If you initiate a batch capture from the browser, FCP will default to DF, and not be able to update the TC format to NDF duriing the batch. The workaround here has been to cue up NDF tapes with L&C, and start the batch capture while L&C is still open and showing NDF TC.
    However, upon upgrading to FCP5 last year, I found that even observing all these precautions and steps, FCP would still shorten the out point of my captured clips on NDF tapes. I was capturing a feature film that came from the UK, and so the starting time on the master was 10 hours instead of 1 hour. When the DF/NDF error occurred and shortened the out point of my 2-hour clip, it did it by several minutes instead of several seconds, because of the starting TC on the tape. In that case, I wound up adding several minutes to my out point and recapturing the end over again.
    I haven't experienced this issue lately, but it comes up every now and then.

  • Fixing AV clips that have uneven out points

    For some reason, After Effects CS5 exported Premiere Pro projects often have audio clips that are a few frames longer than its associated video track.
    Is there a way just to adjust the audio track's out point without unlinking them first?  I've been using the razor blade to cut it even, delete the extra bit, then drag out of the outpoint again. Kind of clumsy, but it works.

    Depending on the Export settings (both from AE, and PrPro), the block sizes on some Audio formats will differ very slightly, than the accompanying Video file. The differences are usually very slight, but can cause problems, similar to what you are encountering.
    What are the Audio and Video formats and their settings?
    Not saying that this is your cause, but it happens fairly often, and will usually show up in Encore.
    Good luck,
    Hunt

  • URGENT! Missing audio files from a live recording due to Logic crash

    Hi,
    yesterday, in the middle of a (low budget) live recording, Logic gave me an error message saying "disk too slow" and stopped recording.
    I was using the internal drive. I know this is not a proper habit, but I would have never thought that Logic could complain about the drive slowness with 2 tracks/24bit/44,1khz. Instinctively I pressed * at once but this caused the sequencer to start recording back from bar 1, making the previous 27 minutes of recording disappear, even from the audio files directory.
    Is there anything I can do to recover the two AIFF files and avoid lots of swearwords from the customer?

    Thanks for the sympathy musicspirit...
    About Logic crashing... Actually, Logic didn't "crash", that is, the application didn't quit. It only stopped recording, displaying that "disk too slow". If truth be told, the timeline remained red, it stopped recording the two tracks. Then I pushed the "record" key and it started recording back from bar 1. As soon as I realised that it wasn't displaying the previous 27 minutes of recording anymore, I stopped the transport and something even more strange happened... Logic rendered the overview of the newly recorded two audio regions and started prompting error messages about one of them being an 8-bit audio file. Moreover, I had the Roger Nichols Inspector plugin open and in the meantime it went crazy too, displaying "9999" in the clips/consecutive clips/etc. counter.
    I was listening with my headphones plugged into my Fireface and I can tell you that the audio coming from the soundcard was perfect during the Logic "crash". It never stopped, clipped, popped or anything similar.
    About the audio path, audio file name... I always double check the audio recording path before starting a recording and it was exactly where it should be.
    After the crash I recorded the second part of the gig on an external FW hard drive and everything went smooth. I simply can't find the audio files of the first 27 minutes anywhere on the drive. However I found out pieces of them with Data Rescue II among deleted files, but they are corrupted (interrupted by pink noise and square waves - BTW I plan to save one of them labelling it with "how an audio file dies").
    It is really strange that such a powerful program (as Logic is) doesn't save an audio file if for some reasons it stops recording and you press record again...

  • Mark a series of In Out Points before capture from DV tape?

    When Using Adobe Premier Pro a few years back I seem to remember playing a tape all the way through, marking In/Out points, all the way along the tape, then going back to the beginning click Batch Capture ( or similar) and the machine would rewind the tape and run through again capturing just the relevant clips.
    Can I do this in FCE?
    I see I can do an individual clip, or the whole tape, but cant seem to find if I can do a batch capture?
    If not, is it possible to set FCE to split the capture automatically after each scene , detect where the Record/stop button has been pressed when the film was taken and split there?
    Sorry cant tell you what version at the moment, a capture is in progress. But I bought it about one month ago.
    Message was edited by: Neil Paisnel

    Oh, yes, it was, the fatal error was naming a user 'Home'
    That combined with doing a restore from a TM backup that did not backup anything in a folder named Home...so no user data backed up. It is in the TM auto exclude list.
    When I rebooted, it would not allow me to log in under any name, as no user existed anymore. Eventually loged back in from terminal/Single user mode, can t remember now. Finally got back in but dock icons all gone, replaced by big question marks, had to run everything from terminal window..
    What I am getting at is that I had been lead to believe that this OS was so solid, and to quote one of my friends ' you cant do anything wrong...it wont let you' I had wanted to believe this though I did doubt it. I use a varity of systems, FreeBSD/FreeNAs server or three, Ubuntu variants etc.
    So despite what it may sound like, I am not knocking it, and am quite prepared for differences, more dissapointed that it has not lived up to the hype I have been fed by all my mates all these years, and feeling foolishg for believing them. It does not seem any quicker/slower or more or less stable than a well setup and maintained Windows install. Apps certainly freeze as often as Windows apps....but that probably can be laid at the door of the third party developers....Admitedly, it probably takes more work to keep a Windows machine running at top performance, far more daily/weekly chores/cleanups etc to do to keep it 'clean'

  • Sliding audio IN/OUT point in smaller increments than a single frame.

    Hello there...
    I saw this work-flow on the forum a while ago, and i've searched the archives but can't remember what the original thread was about/titled...
    I am having to cut a lengthy interview down, removing 'ummm's and generally cutting out individual words... you know the score...
    I have one word I really can't get a clean cut on. The playhead rests just before or just after the moment the next word comes in... there IS a tiny gap on the audio waveform... i just can't get the playhead on it...
    The solution i saw here by the one-and-only Shane Ross involved double-clicking to send it to viewer, then holding down <shift> and sliding the... the what? the playhead? the OUT point marker...
    I've been fiddling for a while now, and can't get it right... grrr!
    Shane (or anyone else!)... can you advise me?
    Message was edited by: James M.

    the info you're after is contained in the thead here
    http://discussions.apple.com/thread.jspa?messageID=4740000&#4740000
    but i don;t think you want to really slip the audio unless it is truly out of sync with the video ... in your case you probably just want to zoom right in on the timeline and edit the audio level to mute as required. audio keyframes can be placed and edited at up to 1/100th frame intervals

  • Quicktime crashes when I try and open a movie or audio recording

    QT crashes whenever I try and open a new audio or movie recording, as well it crashes when i try and go see the preferences for recording. I would appreciate any help, I have QT pro 7.2.0 and player 7.2
    Thanks
    Guy

    i just installed tiger (leopard just came out-I try to run stable systems) and my quicktime now crashes when starting new recording also. Was recording fine off of ISight camera on panther. IMovie can see the ISight preview but continues to tell me it can't find a camera....???? Go figure

  • When I make a audio recording, I miss the breathing before the first note using metronome click

    When I make a audio recording, using count in metronome click, I miss the breathing before the first tone. I hear very abrupt the first tone. I like some environment before, the acoustic of the hall

    So... if i understand what you are trying to achieve...
    When recording sing a single short note (To actually start the recording and then wait a bar before you start actually singing your music.. You can then go back and edit out the single note leaving the ambience... and your breathing intact and recorded.

  • CP5 Audio recording crashing program

    I am on a free trial of Captivate 5, looking to update from 4.  One issue we've had in both versions is audio recording crashing Captivate.  Recording new slides is not a problem.  However, when I go to add an audio recording to a slide using the mic on my laptop, it works perfectly for two or three (sometimes up to 5 or 6) slides, then one of two things will happen:
    1) The microphone is no longer found - the system either returns the error "Cannot detect audio input device" or "Internal Audio Error."
    2) Captivate stops responding and I have to restart the program.
    I am having to save the project after each recording, on the chance the next one will crash the program.  This is taking forever.  None of the projects I'm working on are over 75 slides, and they are between 8-12Mb in size.
    Could this just be a memory issue?  I'm running CP5 on Vista, 32 bit with 3 GB ram.  Any help would be greatly appreciated, thank you!

    Welcome to discussions, lisabirm.
    What happened between a couple months ago and now?
    I don't know. Did you update to QuickTime 7? if so, exactly what version are you running now?
    Also, try deleting the imovie preference file.
    Close iMovie.
    Then locate a file named com.apple.imovie3.plist and get rid of it. It is still called iMovie3 even if you have iMovie 4. Then empty the trash, run a permissions repair with disk utility and restart. That should do it. The files you need to delete are found in:
    /Users/YourName/Library/Preferences/com.apple.imovie3.plist
    Sue

  • Hi, My printing has suddenly changed in adobe to a large scale, as in, what should be one page of print comes out as 24 pages?   I havent changed anything, its happening on more than one document also, I have to stop my printer before all the pages spew o

    Hi, My printing has suddenly changed in adobe to a large scale, as in, what should be one page of print comes out as 24 pages?   I havent changed anything, its happening on more than one document also, I have to stop my printer before all the pages spew out. I have tried printing 'one single page' and it does exactly the same? Help?

    Is the Poster Print feature turned ON?

Maybe you are looking for

  • Error calling a stored procedure from C#

    Please help me! I'm new in .net technology. I have an Oracle 9i server and an application in .net C# language. I'm trying to call a stored procedure written in plsql. This is the testing procedure: CREATE OR REPLACE PROCEDURE TEST_PROC par_1 in numbe

  • Send a mail by using MHP1.1.2

    How to send a mail by using MHP1.1.2? Thanks, Ranikkarasu

  • Oracle Enterprise Manager "Performance" tab  (Oracle 10g)

    Hi, How to I make a report based on Performance TAB. View Data -> Historical Sessions Runnable Process Active Sessions Instance Disk i/o Instance throughput Explain : What is (example :*what is session for?* ) , What is X and Y (example :*what is X =

  • Z61t backlight out -- How easy is replacement?

    I have a Z61t ThinkPad (type 9442-UN6) running Windows XP. Seems my backlight is out, as when I turned on the laptop this morning it powered on (lights, fans, everything) but displayed nothing on the monitor. Looking closely I can sometimes see a ver

  • 10g R2 RAC in AIX

    Hello, I always work with Linux (red hat) to build our RAC clusters, and I never have seen "abnormal" performance and stability issues. Well, now I'm in a project to build a RAC in AIX 5.3. Somebody please can share the experience on this plataform?