Basic Capturing/logging question

For capturing footage, I usually hit the Capture "Now" option, and then label the clip after it's captured.
However when I do this, the actual file just gets labeled as "Untitled" in the folders on the computer.
How do I label a clip while it's actually being captured in FCP? Do I capture with the Capture "Clip" option?
Like I said, very basic question, but would help me out immensely. Thanks.

shocker11 wrote:
The Capture Now thing I'm getting now. However, I'm still getting confused for this logging and then batch capturing deal. I hit "set marker" for each of my in and out points on where I want to capture, however, it doesn't seem to log it into the "log window" correctly.
You log clips not by placing markers in an extended clip, but by setting In and Out points for smaller clips. Once you've determined where you'd like your clip to begin, press I. When you know where you'd like the clip to end, press O. Then press F2 to Log Clip.
Not to be snarky - because I really hate it when folks get told to read the manual - but this really is one of those times where skimming through the relevant sections of the manual will answer all of your questions. So you might want to give that a shot, since that's the best step-by-step that I've seen.

Similar Messages

  • Basic log question

    Just trying out backintime. I put it in crontabs and append to a log file. So far so good, but I don't get time or date of the last entry. Here the crontab entry:
    */45 * * * * backintime -b >>/tmp2/backintime/messages.log
    Question: Do I have to fiddle around with the code of backintime to get more info or can I do something in the crontab entry?

    > Hm, comparing stuff takes a long time
    <gasp> With rsync if you don't change the contents much it shouldn't take more than a minute ... If you have a million tiny files it may take more but I guess you would like your backups to run perfectly, so you'd better check what's wrong.
    BTW: Although Dillon's cron supports 'every n minutes' you may want to check '45 * * * *'. Are you using the "stock" Arch cron or some other one?
    Last edited by karol (2009-12-18 15:37:02)

  • Capture Window question: log info afterwards?

    During Clip Capture, log info, eg. Reel, Shot/Take is entered.
    Is it possible to enter this info afterwards?
    Thanks,
    Sonny

    Yes.

  • Capturing log files from multiple .ps1 scripts called from within a .bat file

    I am trying to invoke multiple instances of a powershell script and capture individual log files from each of them. I can start the multiple instances by calling 'start powershell' several times, but am unable to capture logging. If I use 'call powershell'
    I can capture the log files, but the batch file won't continue until that current 'call powershell' has completed.
    ie.  within Test.bat
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > a.log 2>&1
    timeout /t 60
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > b.log 2>&1
    timeout /t 60
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > c.log 2>&1
    timeout /t 60
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > d.log 2>&1
    timeout /t 60
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > e.log 2>&1
    timeout /t 60
    start powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > f.log 2>&1
    the log files get created but are empty.  If I invoke 'call' instead of start I get the log data, but I need them to run in parallel, not sequentially.
    call powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > a.log 2>&1
    timeout /t 60
    call powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > b.log 2>&1
    timeout /t 60
    call powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > c.log 2>&1
    timeout /t 60
    call powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > d.log 2>&1
    timeout /t 60call powershell . \Automation.ps1 %1 %2 %3 %4 %5 %6 > e.log 2>&1
    Any suggestions of how to get this to work?

    Batch files are sequential by design (batch up a bunch of statements and execute them). Call doesn't run in a different process, so when you use it the batch file waits for it to exit. From CALL:
    Calls one batch program from another without stopping the parent batch program
    I was hoping for the documentation to say the batch file waits for CALL to return, but this is as close as it gets.
    Start(.exe), "Starts a separate window to run a specified program or command". The reason it runs in parallel is once it starts the target application start.exe ends and the batch file continues. It has no idea about the powershell.exe process
    that you kicked off. Because of this reason, you can't pipe the output.
    Update: I was wrong, you can totally redirect the output of what you run with start.exe.
    How about instead of running a batch file you run a PowerShell script? You can run script blocks or call individual scripts in parallel with the
    Start-Job cmdlet.
    You can monitor the jobs and when they complete, pipe them to
    Receive-Job to see their output. 
    For example:
    $sb = {
    Write-Output "Hello"
    Sleep -seconds 10
    Write-Output "Goodbye"
    Start-Job -Scriptblock $sb
    Start-Job -Scriptblock $sb
    Here's a script that runs the scriptblock $sb. The script block outputs the text "Hello", waits for 10 seconds, and then outputs the text "Goodbye"
    Then it starts two jobs (in this case I'm running the same script block)
    When you run this you receive this for output:
    PS> $sb = {
    >> Write-Output "Hello"
    >> Sleep -Seconds 10
    >> Write-Output "Goodbye"
    >> }
    >>
    PS> Start-Job -Scriptblock $sb
    Id Name State HasMoreData Location Command
    1 Job1 Running True localhost ...
    PS> Start-Job -Scriptblock $sb
    Id Name State HasMoreData Location Command
    3 Job3 Running True localhost ...
    PS>
    When you run Start-Job it will execute your script or scriptblock in a new process and continue to the next line in the script.
    You can see the jobs with
    Get-Job:
    PS> Get-Job
    Id Name State HasMoreData Location Command
    1 Job1 Running True localhost ...
    3 Job3 Running True localhost ...
    OK, that's great. But we need to know when the job's done. The Job's Status property will tell us this (we're looking for a status of "Completed"), we can build a loop and check:
    $Completed = $false
    while (!$Completed) {
    # get all the jobs that haven't yet completed
    $jobs = Get-Job | where {$_.State.ToString() -ne "Completed"} # if Get-Job doesn't return any jobs (i.e. they are all completed)
    if ($jobs -eq $null) {
    $Completed=$true
    } # otherwise update the screen
    else {
    Write-Output "Waiting for $($jobs.Count) jobs"
    sleep -s 1
    This will output something like this:
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    Waiting for 2 jobs
    When it's done, we can see the jobs have completed:
    PS> Get-Job
    Id Name State HasMoreData Location Command
    1 Job1 Completed True localhost ...
    3 Job3 Completed True localhost ...
    PS>
    Now at this point we could pipe the jobs to Receive-Job:
    PS> Get-Job | Receive-Job
    Hello
    Goodbye
    Hello
    Goodbye
    PS>
    But as you can see it's not obvious which script is which. In your real scripts you could include some identifiers to distinguish them.
    Another way would be to grab the output of each job one at a time:
    foreach ($job in $jobs) {
    $job | Receive-Job
    If you store the output in a variable or save to a log file with Out-File. The trick is matching up the jobs to the output. Something like this may work:
    $a_sb = {
    Write-Output "Hello A"
    Sleep -Seconds 10
    Write-Output "Goodbye A"
    $b_sb = {
    Write-Output "Hello B"
    Sleep -Seconds 5
    Write-Output "Goodbye B"
    $job = Start-Job -Scriptblock $a_sb
    $a_log = $job.Name
    $job = Start-Job -Scriptblock $b_sb
    $b_log = $job.Name
    $Completed = $false
    while (!$Completed) {
    $jobs = Get-Job | where {$_.State.ToString() -ne "Completed"}
    if ($jobs -eq $null) {
    $Completed=$true
    else {
    Write-Output "Waiting for $($jobs.Count) jobs"
    sleep -s 1
    Get-Job | where {$_.Name -eq $a_log} | Receive-Job | Out-File .\a.log
    Get-Job | where {$_.Name -eq $b_log} | Receive-Job | Out-File .\b.log
    If you check out the folder you'll see the log files, and they contain the script contents:
    PS> dir *.log
    Directory: C:\Users\jwarren
    Mode LastWriteTime Length Name
    -a--- 1/15/2014 7:53 PM 42 a.log
    -a--- 1/15/2014 7:53 PM 42 b.log
    PS> Get-Content .\a.log
    Hello A
    Goodbye A
    PS> Get-Content .\b.log
    Hello B
    Goodbye B
    PS>
    The trouble though is you won't get a log file until the job has completed. If you use your log files to monitor progress this may not be suitable.
    Jason Warren
    @jaspnwarren
    jasonwarren.ca
    habaneroconsulting.com/Insights

  • Why system is capturing Log for Document transfer and Compliance check

    Hi All
    Although I have removed
    TD_MAP Movement Data : Document Replication Mapping (Live)
    TD_CCH Movement Data : Compliance check Document (Live)
    in custom document configuration , then also system is capturing log for document transfer and Compliance check result.
    If my understanding is wrong then what is the use of Log control in customs document configuration for
    Document Transfer
    Document Check
    Thanks
    Akhil..

    Hi Akhil,
    For some situations, GTS allows you some control over the logging by specifying the Profile to use.  But if you do not specify a Profile, logging still occurs using the default values in the standard code.
    Regards,
    Dave

  • Gamma shift from Capture & Log

    I'm getting this dramatic gamma shift from my Capture & Log window. When I hit Capture Now, the preview image is a lot lighter.
    Any way I can get the two matched up?

    No. It is just a reference so you can see what you have. It isn't in any way a TRUE representation of the image you have. FOr that you use an external broadcast monitor connected via a capture card/device. The computer monitor is the LAST place to judge quality.
    Shane

  • Basic Hyperion Workspace question

    Is there any way to Drill-Down to data by double-clicking on the chart item in Hyperion Workspace? I can do this in Hyperion Reporting Studio.

    hi all,Hi Neerav
    I have very basic clone database question
    If i create database A and clone database B using A...
    I want to know that any operation done on A will be automatically done on Cloned database B.Oops....Now you're asking about rocket science. Sorry, I don't know.
    I know about some basics:
    Streams or Replication--> Which can give you data on B in read-write mode.
    DR--> For safeguarding your database and B will work as DR solution.
    Hope u understandNo, please make us understand.
    Regards,
    S.K.

  • How to get/capture log-on user name on PC (work station)

    Hi,
    Colud anyone give me how to get/capture log-on user name on my PC (work station)?
    I need to get the infomation by using a function module.
    Kind regards,
    Hisao

    Hi,
    TH_USER_INFO shows me terminal ID, IP address and other information. howerver it does't show me log-on user name of OS.
    Kind regards,
    Hisao

  • Batch Capture Log Template

    Does anyone know of an app or spreadsheet template that will make it easier to create a capture log--so I don't have type in the repeated colons and semi-colons and will possibly go to the next cell once the required TC numbers have been entered?
    thanks

    Drop frame and non-drop frame both have the same number of frames. No frames are "dropped". What is "dropped" are some frame numbers.
    Think of timecode as frame addresses.
    If video ran at 30 frames per second, in an hour 60 * 60 * 30 frames would go by (108,000 frames) and the timecode at the end of that time would be 1 hour, or 01:00:00 or 3,600 complete seconds of 30 frame counting timecode.
    However, frames go by at a slightly slower rate (slower by 1 part in 1000, or 1/10th of 1 percent) of 29.97 frames per second. So in an hour of time on the wall clock, only 60 * 60 * 29.97 frames go by, or 107,892 frames. The timecode at that time would be 59:56:12 or 3596.4 complete seconds of 30 frame counting timecode.
    This is all well and good, except the clock on the wall says 1 hour, and the clock counting timecode addresses says 59min56secs12frames. If you're running a TV station, this is confusing.
    So in order to make the timecode on the tape deck match the clock on the wall, the difference needs to be fixed, so that at 1 hour the timecode reads 1:00:00 even though the frame rate is 29.97.
    The difference between the theoretical 30 and the real 29.97 is 108 frames in an hour. To make up that difference in Drop Frame timecode, two frames of the counting (addresses) are skipped each minute on the minute. So at 00:59:29 the next frame is called 01:00:02, skipping two frames of numbering.
    This is done on every minute, except the even 10 minutes. So for 54 minutes out of the hour, two frames of counting are skipped. For 6 minutes out of the hour, no frames are skipped. 2 frames times 54 minutes is 108 frames, or the difference we needed.
    No frames were "dropped", only some frame numbering addresses were skipped to help the clock on the wall match the clock on the video tape deck or computer.
    Drop frame and non-drop frame timecode both play the same number of frames in an hour of real time.
    The difference is that non-drop frame timecode has consecutive frame numbering addresses, and drop-frame timecode does not have consecutive frame numbering addresses, as it has dropped 108 frames of the count over the course of an hour, when it skipped 2 frames of count 54 times.

  • Basic recording/feedback question

    I'm recording basic vocals against accompaniment tracks using an APOGEE ONE and Audio-Technica 40 series AT8449 condenser mic. I use only headphones, no external speakers.
    If I record with "monitoring" on I constantly battle feedback/distortion, especially on songs with a wide dynamic range. When the feedback protection kicks in the message indicates that I'm getting feedback through my external speakers (which I don't have), I can minimize the problem by turning "monitoring" off but I lose the reference vocal. I know I must be overlooking something very simple. Any help is appreciated.

    hi all,Hi Neerav
    I have very basic clone database question
    If i create database A and clone database B using A...
    I want to know that any operation done on A will be automatically done on Cloned database B.Oops....Now you're asking about rocket science. Sorry, I don't know.
    I know about some basics:
    Streams or Replication--> Which can give you data on B in read-write mode.
    DR--> For safeguarding your database and B will work as DR solution.
    Hope u understandNo, please make us understand.
    Regards,
    S.K.

  • Basic PDF/SSL Question

    Okay, I know this is a basic question, and I'm not sure if this is really where I should be posting it, but maybe someone out there has experience with this.
    I have a PDF form sitting on a secure server.  I have it set up to email the completed PDF back to our company when the user clicks the SUBMIT buttton.  Whether or not the PDF is secure coming back to us would be dependent on the email server the user uses - not that the form sits in a secure area on our server or that the PDF is security settings are set, correct?
    Any input appreciated.
    Thanks
    Q

    hi all,Hi Neerav
    I have very basic clone database question
    If i create database A and clone database B using A...
    I want to know that any operation done on A will be automatically done on Cloned database B.Oops....Now you're asking about rocket science. Sorry, I don't know.
    I know about some basics:
    Streams or Replication--> Which can give you data on B in read-write mode.
    DR--> For safeguarding your database and B will work as DR solution.
    Hope u understandNo, please make us understand.
    Regards,
    S.K.

  • Basic wifi service question

    basic wifi service question
    A Windows-using friend of mine subscribes to a service from Verizon that is sort of like a cell phone for a computer - wifi service that you can access from theoretically anywhere, for something like $60 a month -
    as far as I can determine, one CAN get this for Mac but ONLY if you have a 15 or 17 inch laptop with PC slots - unless I am missing something. It requires a special kyocera card.
    Another company, T-Mobile, offers a similar service, but with no MAC access at all.
    So my question is: is there a similar service, wi-fi access theoretically anywhere (or even just anywhere in New York City) ? Hopefully with just the regular mac airport card and not any additional special hardware?
    Thanks!
    Will

    Hello WillFriedwald2
    The kind of service your describing is probably a 3G and GPRS service.
    Phone companies now offer mobile high speed connections using EDGE technology or GPRS2 and supply a 3G or GPRS PCMCIA card.
    However some companies are now offering a package whereby you get high speed 3g and gprs and also wifi.
    So to use this service on a laptop that has no PC card slot you need to get a 3G or GPRS2 phone that supports blue tooth then you can connect your laptop to the phone over bluetooth and therefore access high speed internet.
    But if you had a desktop mac such as a G5 you would be better just getting a regular cable or dsl connection in your home and invest in a wireless router.

  • Basic JDBC transactional question

    Hello all,
    I have (what I believe) is a basic transactional JDBC question.
    Here's what I want to do:
    begin transaction
    select a row from a table where (some condition).
    that row may or may not exist.
    if the row exists: update the row
    else if the row does not exist, insert a new row
    end transaction
    I want this entire thing to be atomic .. I don't want the select to complete, then have something else come in there before the update/insert takes place.
    I'm using MySQL .. I seem to remember hearing about some proprietary MySQL command which would do a SELECT + UPDATE atomically .. which would be fine, but I can't find it.
    Wrapping this with a row-level lock would be fine too .. I'm just not sure how to do that in JDBC.
    Thanks!
    -d

    By thte way, and not that it helps the orignal poster, who's using MySQL, but Oracle has a proprietary MERGE statement that does "insert or update" in one go. For example:
    MERGE INTO bonuses D
       USING (SELECT employee_id, salary, department_id FROM employees
       WHERE department_id = 80) S
       ON (D.employee_id = S.employee_id)
       WHEN MATCHED THEN UPDATE SET D.bonus = D.bonus + S.salary*.01
         DELETE WHERE (S.salary > 8000)
       WHEN NOT MATCHED THEN INSERT (D.employee_id, D.bonus)
         VALUES (S.employee_id, S.salary*0.1)
         WHERE (S.salary <= 8000);

  • Basic Clone database question

    hi all,
    I have very basic clone database question
    If i create database A and clone database B using A...
    I want to know that any operation done on A will be automatically done on Cloned database B.
    Hope u understand
    Thanks,
    Neerav

    hi all,Hi Neerav
    I have very basic clone database question
    If i create database A and clone database B using A...
    I want to know that any operation done on A will be automatically done on Cloned database B.Oops....Now you're asking about rocket science. Sorry, I don't know.
    I know about some basics:
    Streams or Replication--> Which can give you data on B in read-write mode.
    DR--> For safeguarding your database and B will work as DR solution.
    Hope u understandNo, please make us understand.
    Regards,
    S.K.

  • Basic Capturing Question

    I am new to FCP and need to capture some video that was recorded to Mini DV from an XL-1 into the program for basic editing. The edited video will be later brought into DVD Studio Pro. Can anyone provide any guidelines for the settings I should use for capturing this?
    Thanks.

    Stan,
    PAL is European standard - stands for "Phase Alternating Line" andconsists of 625 line of resolution. (576 active lines of display)
    NTSC is National Television Systems Committee that we use in NA @ 525 lines of R. (480 active lines of display)
    if you camera is from NorthAmerica, you shot in NTSC. Impretty sure Canon makes a PAL version but you would have had to bought it from overseas.
    I used an XLII last weekend and I dont recall any PAL setting on it.
    ANyway, you are best to use Firewire not usb to get the footage onto you hard drive. Also best if you use firewire 800 as opposed to 400.
    best, M/

Maybe you are looking for

  • Application not working without restart the blackberry

    Dear All, when i get connected through WiFi , the only app working is the browser and the reset of the applications not working , and after restarting the blackberry phone every thing working fine for just 24 hours then it come back down again and i

  • Doubts about generating reports in Oracle

    Hi, I am Oracle DBA, but I need some instructions from you – oracle developers- related to how implement reports from Oracle 9i Application Server Enterprise built on Sun Solaris 9. Nowadays, my client is using Oracle Reports Server that comes with

  • Mail Queue filling up with DSN failures

    So my Exchange 2010 queue viewer keeps filling up with failed DSNs. There is no sender (except for [email protected]). I have done some searching and the first thing that everyone usually mentions as a cause is SPAM. It's not SPAM.  I know this for t

  • Connecting someone elses ipod to my computer

    i have my ipod set to be managed manually because i dont store my music on my pc my brother wants me to add some music to his but his is automatically managed by his computer how can i prevent his ipod from automatically syncing so he doesnt lose his

  • IDoc Issue : Error in WE19 'Recipient port invalid:  '

    Hello, I am trying to repost an IDoc using we19. When I click on 'Standard Inbound' Button i get the error : 'Recipient port Invalid:<port name>  '. Replaced the port with a new port name (tRFC port). But i still get the same error. I am not able to