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

Similar Messages

  • Gamma shift  from After Effects

    Hi,
    We had to apply graphic work over a QuickTime Uncompressed 8 bit footage from Final Cut Pro.
    The graphic work was done in After Effects.
    The After Effect output was done using QuickTime Uncompressed 8 bit, the very same codec.
    ...but all the footage has a gamma shift ( upward ) and a slightly increased color saturation...
    What's wrong ?
    If we export Uncompressed 8 bit from FCP and reimport in FCP, there is NO gamma shift. ...so it seems to be an After Effect setting (or problem).
    thanks !

    Well I must specify that we haven't had any problems with gamma when working between After Effects and FCP in Mac OS X. It's just if you bring some material from PC to MAC you might notice that graphics are too bright, because FCP thinks all the RGB material is made with gamma 1.8. So FCP maps RGB colors to YUV (television colorspace used by DV, Uncompressed 8-bit etc.) with gamma 1.8.
    BTW FCP doesn't collaborate with color management in OS X. So it doesn't make any difference how FCP handles RGB material if you change OS X gamma to 2.2.
    FCP works in YUV and After Effects in RGB so that's why you don't see gamma problems when exporting material from FCP. I think you should first check from Apple Software Update you have the newest Pro Applications Update. I remember Uncompressed 8-bit codec had this kind of gamma problem with After Effecs couple updates before.
    G5 DP2.5 (3.5GB RAM)   Mac OS X (10.4.5)   FCP 5.04, AJA Io, XSAN 1.2

  • 5.1.1: there's still gamma shift from AE with uncompressed codec

    O.k. - this issue has annoyed me for years and has caused me to come up with all sorts of silly workarounds. I saw that with 5.1.1 and the pro app update we were promised a fix for this:
    Uncompressed 422
    Uncompressed 422 delivers a fix for changes in color-space and/or gamma when moving clips between Final Cut Pro and Adobe After Effects and addresses a codec issue leading to drawing errors in 16bpc After Effects projects....
    However, i still get the identical gamma bump as before with this $49 update. . . is this update working for anybody yet?

    Sorry, I don't use that specific codec. I export footage to AE in the format I am working with, and back in the same format, typically DVCPRO HD. And I see no gamma shift.
    Try the Animation codec?
    Shane

  • 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

  • Archived Log is not shifting from Primary to DR

    we have increase the table size without taking care of DR, so
    sapdata1 becomes 100% at DR site after that applying archived had
    stopped at DR, after that i manually added datafile using following
    commands,
    select * from v$recover_file where error like '%FILE%';
    Primary-:
    1)select file#,name from v$datafile where file#=33;
    /oracle/BP1/sapdata1/sr3_21/sr3.data21
    2)select file#,name from v$datafile where file#=34;
    /oracle/BP1/sapdata1/sr3_22/sr3.data22
    alter system set standby_file_management =Manual;
    DR-:
    1)select file#,name from v$datafile where file#=33;
    /oracle/BP1/102_64/dbs/UNNAMED00033
    2)select file#,name from v$datafile where file#=34;
    /oracle/BP1/102_64/dbs/UNNAMED00034
    alter database create datafile '/oracle/BP1/102_64/dbs/UNNAMED00033'
    as '/oracle/BP1/sapdata1/sr3_21/sr3.data21';
    alter database create datafile '/oracle/BP1/102_64/dbs/UNNAMED00034'
    as '/oracle/BP1/sapdata1/sr3_22/sr3.data22';
    alter system set standby_file_management =Auto;
    alter database recover managed standby database disconnect from
    session;
    after that all logfile which is available at DR is applied but now
    automatic shifting from primary to DR is not happen, please check and
    provide the solution as early as possible because if log gap increase
    we have to go for backup and restore and our DR site is so far.

    Dear Orkun Gedik ,
    Please find the Aler Log-:
    Errors in file /oracle/BP1/saptrace/background/bp1_mrp0_20361.trc:
    ORA-00313: open failed for members of log group 1 of thread 1
    Thu Aug 11 18:39:53 2011
    Errors in file /oracle/BP1/saptrace/background/bp1_mrp0_20361.trc:
    ORA-19527: physical standby redo log must be renamed
    ORA-00312: online log 1 thread 1: '/oracle/BP1/origlogA/log_g11m1.dbf'
    Clearing online redo logfile 1 complete
    Please find the log for  bp1_mrp0_20361.trc
    Start recovery at thread 1 ckpt scn 232442669 logseq 4297 block 2
    2011-08-11 18:39:53.881
    Media Recovery add redo thread 1
    2011-08-11 18:39:53.881 1180 krsm.c
    Managed Recovery: Active posted.
    ORA-00313: open failed for members of log group 1 of thread 1
    2011-08-11 18:39:53.891 64311 /se_autofs/patch_archive/102044/197/10107454/k
    crr.c
    Clearing online redo logfile 1 /oracle/BP1/origlogA/log_g11m1.dbf
    ORA-00313: open failed for members of log group 1 of thread 1
    ORA-19527: physical standby redo log must be renamed
    ORA-00312: online log 1 thread 1: '/oracle/BP1/origlogA/log_g11m1.dbf'
    Error 19527 creating/clearing online redo logfile 1
    2011-08-11 18:39:53.950 64311 /se_autofs/patch_archive/102044/197/10107454/k
    crr.c
    Clearing online redo logfile 1 complete
    2011-08-11 18:39:53.960 64311 /se_autofs/patch_archive/102044/197/10107454/k
    crr.c
    Media Recovery Waiting for thread 1 sequence 4297

  • Momentary gamma shifts in PS-CS6 composed image h.264 video

    Before I finalize a bug report, wonder what others are seeing?
    Having discovered the problem in a more complex scenario, I've narrowed down to a simple set of jpg images placed sequentially in a video group, and exported as an h.264 video from Photoshop PS6. All is on Windows 7 Professional SP1, all software involved completely up-to-date.
    I first noticed the gamma shift using the 'High Quality' preset. It occurs with variations on Vimeo 29.97 and Youtube 29.97 presets. The gamma problem does not occur on HD 720p or 1080p 29.97 presets.
    When I view the resulting video through Quicktime, I see a gamma shift for a moment on the first image, making it look washed out. After another moment, the gamma goes back to normal. On other players such as Windows Media or VLC, no such shift is visible.
    Interestingly, the shift comes at 1 second when exporting to the Vimeo 29.97 preset, or 'High Quality', while at 3 seconds on Youtube 29.97. Similarly, the shift back occurs at 2 seconds, or 6 seconds for Youtube.
    What the gamma shift looks like sounds like the now age-old Apple Quicktime fault on h.264. -- except it occurs only for one or a few seconds, then reverts to proper gamma, instead of continuing..
    With the simple setup of single image (jpg) sequence, it occurs only on the first image. With a more complex scenario, some actual videos included, I've seen it occur on every jpg -- or on some -- in a sequence.
    This is very repeatable here - 100%. Anyone else who's noticed it? I'm on the CS6 trial, and still thinking whether to purchase, or go on the Creative Cloud.
    Regards,
    Clive

    We're seeing a worse issue when exporting in H.264 and playing in QuickTime 10.0 (Mac OS 10.6).  We are using a custom size video to fit a spot on our website (398x498).  When exported and played in QuickTime 10.0 the white inverts throughout the video (back and forth).  The same issue is not seen when viewed in VLC or QuickTime 10.1.
    This is how the video should look:
    And this is how they are appearing:
    But like I said, the issue is very specific to QuickTime 10.0 on Mac 10.6.  VLC, Flash, Chrome, FireFox all play it correctly.

  • H.264 gamma shift/washed out colours on export

    I know this has been discussed before but I've been researching this topic for the past two hours and still can't find a solution.
    I have .mov source files from a Canon 7D. Exporting them from PP CS5.5 (Mac OS X - Lion, 10.7.4) in h.264 or by 'matching sequence settings' results in a gamma shift/desaturated colours. Playing the resulting h.264 file in QuickTime Player, VLC, Elmedia all result in the same colour shift so this is not an issue with QT simply interpreting the gamma incorrectly.
    Uploading to Vimeo and Youtube results in the same gamma shift. The monitor I'm using is not calibrated but when puling up a VLC window of the exported file next to the Program Monitor (on the same monitor) shows that there is a definite difference. Below is a screenshot.
    Is there any way to produce an exported file for Vimeo use that reproduces the gamma as I see it in the Program Monitor?
    Any help would be massively appreciated.
    Thanks.

    Did you use Quicktime's H.264 export option? Or just standard h.264 using the .mp4 container? If you used the Quicktime h.264 the option itself is flawed. Here are some links regarding the issue.
    http://provideocoalition.com/index.php/cmg_blogs/story/brightness_issues_with_h264_quickti me_movies/
    http://www.videocopilot.net/blog/2008/06/fix-quicktime-gamma-shift/
    http://imnotbruce.blogspot.com/2011/07/fixing-quicktimes-gamma-export-problem.html
    https://discussions.apple.com/thread/1358418?start=0&tstart=0
    http://byteful.com/blog/2010/07/how-to-fix-the-h264-gamma-brightness-bug-in-quicktime/
    https://discussions.apple.com/message/8551140?messageID=8551140#8551140?messageID=8551140
    https://discussions.apple.com/thread/2292530?start=0&tstart=0
    If you read around the net a lot of people have had this issue with h264. A couple of the articles I posted are supposed to "fix" the problem although I haven't ever tried any of them myself. I've never experinced a gamma shift when using the standard h.264 format option in Premiere, however if you have already used that option and you're still having issues then I have no clue what is going on. However when I import ProRes files into Premiere they don't appear washed out, but when I play them in Quicktime or VLC they do appear washed out. I've always just assumed Premiere was somehow correcting it, because when I export my video to mpeg-2 for playback on our server it looks like it looked in Premiere.
    From what I have read though the reason the Quicktime format does this when using the h.264 codec looks and looks washed  out is because of a incorrect gamma tag. But Premiere isn't affected/fooled by this like most media players are. According from how they made it sound on provideo and the one other site I read it on anyways.

  • Quicktime X and After Effects CS4 - Unwanted Color / Gamma shift

    Hello,
    Upon the import of ANY video footage file into After Effects CS4, there is an immediate color (I am guessing a gamma shift) difference between how the video appears in Quicktime (both X and the older player) and how it appear in the After Effects composition window.
    Footage appears to be darker in AE and lighter in quicktime, both before and after export. The gamma/color then appears roughly the same when being compressed via h.264 and uploaded to the web (the same in Safari, much darker via Firefox).
    My main concern is simply getting AE's color to match Quicktime's so that I can have as close of a match between the color I think I have created in AE, and the actual color that appears in my final output to the web.
    I have tried using all of the fixes to be found relating to gamma shifts via .h264, prores, etc. but nobody seems to have this problem with every codec, even animation. I have tried assigning color profiles in AE, matching quicktime legacy formats, etc. All of the options available in AE to no avail.
    My monitor is calibrated fine, I am using Perian, All of the latest software updates. Any advice much appreciated!

    Hi, thanks for the link. While helpful I am still having problems!
    I tried using the method described with Automator to assign a color profile to a test Animation file, created from scratch in AE and rendered out as an Animation with no color management (previously it made no difference to the quicktime gamma shift as to if I had assigned a working color space or not within AE).
    Automator only gives three color profile options, HD, SD, or PAL. I tried using HD as this is the size of video I normally work in (although I am also working in PAL), and ran Automator. I also tried using PAL and got identical results. It took about 30 seconds to finish and the result indeed looked much better in QT, and opened up in AE looking identical to a copy of the same .mov file with no color correction.
    However, there is *still some change in the image quality as it appears in QT from how it (and the original) appears in AE*.
    Original created / displayed in AE: What I am trying to maintain
    Rendered out, Automator color profile HD assigned, and opened in QT: Gamma looks good but colors slightly more saturated than original in AE.
    Rendered out with no color profile: Original problem with large gamma shift making everything bleached/washed out.
    I have a screen shot I can show you to illustrate this here:
    http://www.yousendit.com/download/THE0ek9xa0RxRTNIRGc9PQ
    While the difference is subtle you can look at the RGB numbers and see the middle example is indeed more saturated.
    Perhaps I need to use another color profile when working with the animation codec for animations created from scratch in AE to avoid this saturation shift, other than HD or PAL? Would you know of how to do this?
    Also, would you know of how to change this, and perhaps a way of changing qucktime's interpretation rules for all animation files per se, so that I do not need to go through every .mov with the animation codec and assign profiles to them?
    Many thanks for your time and sorry for being so long winded!

  • Targa gamma shift

    Has anyone ever come across this: I've been using the same targa sequence output module and render settings in CS3 for the last 6 months without issue, and now all of the sudden my post house is telling me they're getting a gamma shift on my renders, that the blacks are lifted and everything is a little milky. I don't see any problem on my end--when I compare my render to the original sequence they gave me there is no apparent difference.
    Even weirder is that I had a totally different post house on a different show with different targas tell me the same thing, and I was using CS4 for those shots. So it's gotta be something on my end, but what it is I have no idea.
    Any ideas on this would be greatly appreciated.

    I'm not sure, but this sounds like they are simply not importing them correctly. Maybe they misinterpet the Alpha and it makes the color fade and when whatever editing suite they use fills the transparency, colors wash out. Apart from that - Targas will always use whatever default Gamma your program has and directly encode the skewed color info, which in a computer environment is anything from 1.6 to 2.2 or in case of 3D programs, the Gamma you define in the render settings. Beyond that the format is completely agnostic of color profiles or additional calibration meta data. Maybe you simply mis-tweaked you monitor?
    Mylenium

  • Gamma Shift with Encore Transcoded Material

    Hello,
    I use Edius as my NLE and have always noticed that if I let Encore CS4/CS5encode my assets the gamma of the resulting DVD or BD is higher resulting in a grey, milky look to the footage.
    1)  Does anybody else see this?
    2)  What is causing this?  Color space issue?
    3)  Can it be avoided?
    This issue has baically stopped me from ever using Encore beyond a compiler of assets.  It has been there since CS 4 for me.
    Any ideas would help and might save my lowered opinion of this software.
    Thanks

    Hello,
    Thank you for the tip about using AME.  I thought Encore CS 5 used the media encoder in the background automatically.
    The gamma shift is gone and I am happy to be using Encore in a more prominent role going forward.
    One thing, it seems a bit odd regarding transcode settings.  I can not find a way to enter AME through Encore to make presets.
    Are the presets in Encore the same as AME?
    Any help about this proceedure would be appreciated!

  • Snow Leopard Prores 4444 Gamma Shift Nightmare

    I've run into a nightmare with significant gamma shifts wrecking a lot of work we're trying to export using the Prores codec and After Effects CS3 (and CS4).
    I found this supposed fix, but it has not solved my problems: http://blogs.adobe.com/toddkopriva/2009/12/prores-4444-colors-and-gamma-s.html
    I appended suggested xml edit to the last line before  </MediaCoreQT...>  in both CS3 & CS4 files. Same infuriating darker gamma result after both edits.
    Scenario: large targa sequence we've been working on for months, established pipeline of compiling the targas in AFXCS3 (OSX 10.5.8), Project Settings/Color Settings/Working Space = none, exporting sequence as Prores 4444, gamma set to automatic. Colour matched targas perfectly.
    Now we're trying to use new Macpros we've bought specifically for this job that are run up as 10.6.2. Prores 4444 compiles are now coming out much darker! I've tried the XML edit (both CS3 & CS4), adjusting system gamma to 1.8 from new 10.6 default of 2.2, adjusting legacy gamma setting in project settings, etc... The colour is wrecked!! WTF?!?!?
    Really don't want to have to revert to "Animation" settings. Deadline looms. Any help would be enormously appreciated!

    I Think (but dont know) that I have found an explanation to this problem.
    It has to do with colorsync on OS X (cant talk windows as I dont use that)
    Scenario
    1) Encode any non-ProRes 4444-source to ProRes 4444 using Compressor(Only encoder able to provide accurate result)
    2) Be sure so DISABLE - Final Cut Studio color compatibility in the QT7 Player Preferences
    3) Open source.MOV and new output.MOV in Quicktime7 -> Set view of both to half size (So you have overview) and place them next to each other
    They should look/be identical
    sometimes placing them next to each other will lead you to believe that they are different. If so, place them on top of each other and flip back and forth via the Window menu to make sure that both movies are indeed identical-looking.
    4) Open OS X System Preferences
    5) Click 'Displays' and select the color tab
    Now, toggle through various color profiles. You SHOULD see the colors adapt on BOTH movies.
    Create new AE Project and make sure that your Project is set to NOT color-manage your workflow
    6) Create new AE composition and drag the Compressor-created ProRes 4444.MOV into it.
    7) Add to render queue and select the ProRes 4444 as output.
    8) Render out.
    9) Open Compressor-created ProRes 4444.MOV and new AE-created ProRes 4444.MOV in Quicktime7 -> Set view of both to half size (So you have overview) and place them next to each other
    10) They should look identical but they dont.
    11) Open OS X System Preferences (in case you closed it)
    12) Click 'Displays' and select the color tab
    Now, toggle through various color profiles. You SHOULD see the colors adapt on BOTH movies.
    They DONT. They ONLY adapt in the Compressor-created ProRes 4444.MOV not in the AE-created ProRes 4444.MOV
    And that even though color-mangement has been turned off.
    Turning color-managemen ON will have no different effect that leaving it off. The AE created movie(Color Management set to OFF) WILL not allow being color synced in OS X.
    The Expected behavior IS:
    1) when color management is set to OFF in the AE project settings and output module that the AE-Created movie would adapt to any color-profile change made within the OS X System Preference, COLOR Panel.
    2) when color management is set to ON in the AE project settings and output module that the AE-Created movie would NOT adapt to any color-profile change made within the OS X System Preference, COLOR Panel.
    As of NOW... There are no differences between above.
    I hope this helps to solve this nuisance !!!
    If I have missed something VERY obvious then please disregard my post and tell me what I seeing incorrectly !!!
    PS - ON my computer - this last part of my post looks ridiculously small and that even though I have done NO font editing.
    I find that posting and editing in this forum is as hard as getting Adobe products to encode correctly

  • *YET ANOTHER* Prores Gamma Shift Thread

    There is a gamma and color shift, rendering Prores4444, 422HQ, 422, LT, and Proxy out of After Effects CC 2014.0.2.
    It is apparent when viewing the renders from the Finder, Quicktime, or Premiere Pro CC 2014. I'm on OSX 10.8.3.
    I followed these instructions to deal with it, but they didn't help:
    http://blogs.adobe.com/aftereffects/2009/12/prores-4444-colors-and-gamma-s.html
    I can get the footage to almost perfectly match by applying a gamma adjustment of .97, a blue gamma of 1.02 and green gamma of .98.
    When I render to TIFF or JPG, the render matches the AE viewport.
    My project's Working Space is set to None. If I set it to REC709, the Prores still have a gamma shift, and so do the JPG exports.
    Setting the "Match Legacy Quicktime" checkbox doesn't help either.
    The gamma shift doesn't just happen with motion graphics, but with regular footage too.
    It also happens when rendering out of Davinci Resolve, which tells me it may be an Apple problem, not an Adobe problem.
    This has been a problem with Prores for years.
    Is it fixed in OSX 10.9? How about in Yosemite?
    Is this just a fact of life for Prores? Should I switch to DNxHD?
    If I'm going to use Prores, should I render everything with an Adjustment Layer that cancels out the gamma and color shift?
    Thanks!
    Eric

    This isn't really an answer, but FWIW, I love 10-bit 220 DNxHD; I don't render anything out to ProRes anymore unless a client or subcontractor specifically asks for it. DNxHD is still limited to specific resolutions, but if you're working in HD or FHD, it's pretty great.

  • Gamma Shift / Flash Frame when Transcoding to H264

    Hi Everyone,
    I'm having an issue with gamma shifting when I transcode my ProRes 422 HQ master clips to H.264 for web viewing.  The workflow is this:
    Final Cut Pro 7.0.3 > Cut with ProRes 422 HQ 1080p 23.98 masters > Export to ProRes 422 HQ 1080p 23.98 self-contained QT
    Compressor 3.5.3 > Bring in ProRes 422 HQ master clip > Apply H.264 custom setting > Transcode
    Unfortunately the result is that what appeared in the ProRes master as a good looking clip, becomes a terrible looking clip with all sorts of gamma shifting.  The strangest thing is that you can see the gamma shifting problem in the PREVIEW window in Compressor on BOTH sides of the comparison divider.  So if you playback in Compressor you see it in the ProRes original!  But in QuickTime player the ProRes is fine.  In FCP it's fine.  Even as an MPEG-2 for Blu-Ray (made using Adobe Media Encoder) it's completely fine.
    So there is something going on in Compressor, it seems.  I just can't quite figure this one out.  Has anyone experienced this?  I personally have found Compressor 3.5.3 to be very buggy.  I get a green band on the outside of the frame when I make MPEG-2 for DVD in this version of Compressor.  I never had that problem in the past with 3.0.5. 
    If anyone has any ideas that would be great.  In the mean time, I'm uploading a comparison so that folks can actually see what I'm talking about.  I'll post the download link when it's up.
    Thanks in advance.
    -JD

    I have compressor 3.5.3 without any of this sort of problem.    If you are doing any scaling or retiming, make sure that frame controls are enabled and all relevant options are set to best.
    First, do your clips match your sequence settings (in particular frame rate and progressive/interlaced)? 
    Do you want to send me a short clip exported from fcp with current settings and I'll see if I can reproduce the problem?
    My email is [email protected]

  • Gamma Shifts and Text movement

    I am rendering a project in Shake using 10-bit Uncompressed footage to the Animation codec because the shot will be imported into an Avid system. I am getting a gamma shift in the footage when I view back the material in Final Cut Pro. Will this happen on the Avid? I know you can choose RGB when importing footage into the Avid. I do not know if the **** is happening from the 10-bit to RGB conversion inside of Shake or when the Animation codec is transcoded back to 10-bit or both?
    I also have a logo that I am placing inside of a television but it has very narrow lines in it and a slow aliasing seems to move through the logo during the shot like a wave. I am rendering out to 1080i. Could this be caused by the narrow lines of the logo? I am attempting to blur it a bit and make it bigger to try and fix it.
    Thanks!

    Tom,
    working in 720 certainly worked except I'll now have to change all my graphics which were originated 1920 x 1080.
    Is there no way I can work at hi res without these problems? I couldn't see a way of changing field prefs in sequence item prefs. It only lists filters, trame blending for speed and load sequence preset

  • QuickTime gamma shifts with H.264 HD files

    Hi,
    I experience some odd gamma shifts while playing full 1080p full HD content. During playback the video suddenly gets lighter and after a few moments switches back to normal / darker light.
    This happens while playing videos in Lion QuickTime 10.1 (dunno about earlier versions) and also Lions iTunes 10.4 64bit. The videos play fine in other players like VLC and even on Apple TV 2.
    I will provide any additional info to this bug if required. As of now I don't have any solution on how to avoid this bug.
    The bug happens on 13 different well known systems (tried in 3 different households and an apple store).

    Hi:
    I've been experiencing all sorts of issues with compressor, somewhat like this. I think my quicktime plug-ins are the culprit. Example, I have been exporting directly out of Motion with no problems lately, but when I export to Compressor I see my "Flip4Mac" import window several times, then Compressor either fails to export, or crashes.
    I would suggest trying a direct export from FCP or Motion, or whatever your source is. See if that works. Just bypass Compressor and choose your HD DVD option from the export window. It does the trick with Motion.

Maybe you are looking for

  • External HDD won't mount

    Hello, I was working on my external hard disk drive called 'Reserve', when the elektricity on that hard drive went out. When I wanted to re-connect my external hard drive to my MacBook Pro it showed the following message: In other words, it didn't re

  • Emails received ok for over a year since buying ipad 2.Has not updated now for a month but had not changed any settings

    Why has my ipad 2 stopped receiving emails for over a month when I have not changed any settings

  • Change the look of site element on sharepoint

    I want to change the look of "more options" button, which looks ass thre bricks "..." as the picture below link to the picture, More cleare http://s29.postimg.org/f29je10h3/Namnl_sq.png I have tried to find it in CSS and masterpage files but couldnt

  • Macbook 13.3 core 2 dou quesiton

    Ok i see others asking about ram and they are really close to what i need to ask but not right on. I have a macbook 13.3 core2duo 2.0 with 1gig. Now on the apple site it alows u to add up to 4 gigs factory ram. but yet on the macbook how too part of

  • 2 Adobe flash site issues..

    Questions1: I have a script error message of. scene=scene1, layer=actions, frame=2, line=9. Error opening including file gs/datatransfer/xmlfunctions.as File not found. how do I fix this, I won't load my site when I hit publish preview. Have been fig