Compressor 3.5 Submission issues

Ok, I am officially at the end of my tether.
Just got a new 27 inch iMac and have done fresh installs of all software and everything works as before EXCEPT Compressor.  When I get to the final drop down box 'Submit' is greyed out.
I've searched high and low and down everything suggested I can find including:
* Fresh install again of Compressor
* Moved things in directorys
* Made sure Qmaster and such are all 3.5, not 3.5.3 and have got rid of updates
* Trashed all prefs
* Reset background prefs
* Ran the Compressor Repair app
* Repaired permissions in Disk Utility
* Tried different files, sources and destinations
All this has been done a number of times as well as other little things I'm sure I've forgotten.
This was working perfectly on the old machine a few days ago with both FCP7 and FCP X installed and now it just won't play ball and it is flat out doing my head in as I have a pile of clips I need to export in Compressor.
Any suggestions greatly appreciated.
Cheers

Thanks for the suggestions.
Yes, I have FCP X on the new machine and have tried removing it and it's made no difference unfortunately.
Should've mentioned I used the Remover app to do all the reinstalls in my initial post
I think I've worked out where the issue is though.  Compressor won't find 'This Computer' as a cluster option.  If I try to manually add it using my IP it just searches and searches to no avail.  So I think therein lies the problem, just have to find a way to solve it still!
Cheers

Similar Messages

  • SOAP submission issue

    I am using SOAP message over HTTPS.
    Our architecture:
    Client submission server uses TOMCAT 4.1..29, JDK 1.4.2 with JSSE
    I am using com.sun.net. ssl.HttpsURLConnection object to open url connection with submission server.
    Submsiion server at the other end has IIS configred to authenticate digital certificate information for the incoming SOAP envelope.
    My code works fine except in some instances IIS does not find the certificate info in HTTP session. What causes to strip off this certificate info? If I use browser to submit the same SOAP message it works fine for all submissions, that means IIS server at the other end always receives the certificate info.
    I eliminated the doubt on Tomcat web server at my end by simply running the similar code as pure java application using commnad prompt and still I get the same issue ( certificate info is not in session)
    Please note that our network has no proxy server. SOAP message file size is just few KB.
    Please check the code below and any feedback, suggestion is wel come
    ==============================================
    Code sample :
    import javax.net.ssl.SSLSocket;
    import javax.net.ssl.SSLSocketFactory;
    import javax.servlet.ServletException;
    import javax.servlet.http.HttpServletRequest;
    import javax.servlet.http.HttpServletResponse;
    import com.sun.net.ssl.HttpsURLConnection;
    import com.sun.net.ssl.KeyManagerFactory;
    import com.sun.net.ssl.SSLContext;
         sendMessage(File output, ActionForm form, ActionMapping mapping, HttpServletRequest request) throws Exception {
              SignatureForm signForm = (SignatureForm) form;
         String xyz = null;
              System.setProperty("java.protocol.handler.pkgs","com.sun.net.ssl.internal.www.protocol");
              java.security.Security.addProvider(new com.sun.net.ssl.internal.ssl.Provider());
              System.setProperty("UseSunHttpHandler", "true");
              System.setProperty("javax.net.ssl.trustStore", signForm.getCertPath() + "cacerts");
              String filePath = request.getSession().getServletContext().getContext("/les").getRealPath("/") + "/cert/";
              System.setProperty("javax.net.ssl.keyStore", filePath + "" + signForm.getCertFileName());
              System.setProperty("javax.net.ssl.keyStorePassword", signForm.getPassword());
              System.setProperty("javax.net.ssl.keyStoreType", "PKCS12");
              System.setProperty("file.encoding", "UTF-8");
              //System.setProperty("javax.net.debug", "all");
              String pathKeyStore = filePath + "" + signForm.getCertFileName();
              System.out.println("Key store path :" + pathKeyStore);
              char[] passphrase = signForm.getPassword().toCharArray();
              FileInputStream fis = new FileInputStream(pathKeyStore);
              KeyStore ks = KeyStore.getInstance("PKCS12");
              ks.load(fis, passphrase);
              fis.close();
              KeyManagerFactory kmf = KeyManagerFactory.getInstance("SunX509");
              kmf.init(ks, passphrase);
              sslcontext = SSLContext.getInstance("TLS", "SunJSSE");
              sslcontext.init(kmf.getKeyManagers(), null, null);
              Enumeration en1 = null;
              en1 = ks.aliases();
              String alias = null;
              while (en1.hasMoreElements()) {
                   alias = (String) en1.nextElement();
                   System.out.println("Alias is " + alias);
                   System.out.println("Submitting Certificate details are " + ks.getCertificate(alias).toString());
              java.net.URL url = new URL(null, signForm.getSubmitUrl(), new com.sun.net.ssl.internal.www.protocol.https.Handler());
    // signForm.getSubmitUrl(): https://shop.gateway.elite.com/PPC/BatchServlet
              FileInputStream fileInputStream = new FileInputStream(output);
              int bytesRead, bytesAvailable, bufferSize;
              byte[] buffer;
              int maxBufferSize = 40 * 1024 * 1024; // 40MB limit on submission file
              try {
                   SSLSocketFactory factory = sslcontext.getSocketFactory();
                   SSLSocket socket = (SSLSocket) factory.createSocket(url.getHost(), 443);
                   socket.startHandshake();
                   socket.setKeepAlive(true);
                   HttpsURLConnection.setDefaultSSLSocketFactory(factory);
                   HttpsURLConnection.setDefaultAllowUserInteraction(true);
                   HttpsURLConnection conn = (HttpsURLConnection) url.openConnection();
                   // Use a post method.
                   conn.setRequestMethod("POST");
                   // Allow Outputs and Inputs
                   conn.setDoOutput(true);
                   conn.setDoInput(true);
                   // Don't use a cached copy.
                   conn.setUseCaches(false);
                   System.out.println("--------------------------");
                   System.out.println("Submission Start:" + new Date().toString());
                   DataOutputStream wr = new DataOutputStream(conn.getOutputStream());
                   bytesAvailable = fileInputStream.available();
                   bufferSize = Math.min(bytesAvailable, maxBufferSize);
                   buffer = new byte[bufferSize];
                   // read file and write to Dtrade server
                   bytesRead = fileInputStream.read(buffer, 0, bufferSize);
                   while (bytesRead > 0) {
                        wr.write(buffer, 0, bufferSize);
                        bytesAvailable = fileInputStream.available();
                        bufferSize = Math.min(bytesAvailable, maxBufferSize);
                        bytesRead = fileInputStream.read(buffer, 0, bufferSize);
                   BufferedReader rd1 = new BufferedReader(new InputStreamReader(conn.getInputStream()));
                   StringBuffer strBuff = new StringBuffer();
                   String line1;
                   while ((line1 = rd1.readLine()) != null) {
                        System.out.println(line1);
                        strBuff.append(line1);
                   signForm.setSoapResponseMsg(strBuff.toString());
                   rd1.close();
                   wr.close();
                   conn.disconnect();
                   socket.close();
                   String patternStr1 = "faultcode";
                   String patternStr2 = "receiptID";
                   if (strBuff.indexOf(patternStr1) > 0) {
                        System.out.println("Submission unsuccessful:" + new Date().toString());
                        System.out.println("--------------------------");
                        signForm.setFilingStatus("F");
                        if (signForm.getSubmitUrl().indexOf(patternStr3) > 0)
                             signForm.setSubmitUrl("test");
                        else
                             signForm.setSubmitUrl("trade");
                   if (strBuff.indexOf(patternStr2) > 0) {
                        System.out.println("Submission successful:" + new Date().toString());
                        System.out.println("--------------------------");
                        signForm.setFilingStatus("Y");
              } catch (Exception ex) {
                   if (signForm.getSubmitUrl().indexOf(patternStr3) > 0)
                        signForm.setSubmitUrl("test");
                   else
                        signForm.setSubmitUrl("trade");
                   ex.printStackTrace();
                   signForm.setSoapResponseMsg("");
                   System.out.println("Submission unsuccessful:" + new Date().toString());
                   System.out.println("--------------------------");
                   signForm.setFilingStatus("N");
              return null;
    Code Sample end:

    Thanks for your reply.
    Yes I tried hardcoding the values still the problem persists.
    Is there any possible code part i am missing here?

  • Final Cut to Compressor to DVD Studio issues

    I am editing HD footage into a project....when I export to Compressor, FC shuts down 9 out of 10 times. When the file does make it thru, and I push to DVD Studio, I get text that is half out of the field of view (although it looks fine in the FC timeline) and in areas where I have multiple clips flying in (motn file) the video is replaced with a red and white checkboard pattern (again, in the FC timeline, it looks perfect)
    Thoughts?

    I'm not sure what would cause the text to be out of frame other than some mis-match on aspect ratio settings. Just don't know there.
    I've had a lot of problems with .motn files in FCP and elsewhere since FCP6. Have you tried exporting the motion files as QT movies then bringing them into FCP? I've had to do that a lot lately due to some rendering issue with FCP6 and Motion.

  • Compressor is having filter issues, help please!

    Hi, please help if you have seen this problem or know how to fix... and thanks in advance!
    I am exporting a QT to Compressor, and put a Noise Reduction filter on the file... But when I submit the export, an error message pops up:
    Unable to Load Effects
    The following effects could not be loaded:
    Noise Reduction
    These effects will not be applied. Please install the appropriate effects and re-open the project.
    I haven't deleted anything, especially not these type of filters... I hope Compressor isn't corrupted or something. And it especially heartbreaking, since this is the LAST step of a 2 month DVD project!
    Anyway, I'm praying someone knows the solution, or a way to re-install the filters... my software is far away at the moment!
    Thanks.

    Ouch. I believe your only option is to reinstall Compressor (since something within the program's code is hosed).
    Since you don't have your discs accessible, your best bet is to go to the FCS download site and manually install the Pro Applications Update 2008-05 package. You'll need your FSC serial number handy (should be able to find that in the About window of any of the FCS apps. For instance: Compresor > About Compressor, from the menubar)
    Just one caveat: in case you weren't on the latest updates (we all have our reasons for not upgrading) this will update your system. So please be mindful of any OS X/QT compatibility issues. Not mention bumping up the versions of your apps in this whole process.
    But this is only an educated guess. Never come across this myself.

  • Compressor Pal to NTSC - issues - will progressive help?

    I am trying to optimise a pal - to ntsc conversion. Source footage is DV tape.
    I realise that there is always a quality hit - i have been using compressor following Anton Lineker's excellent article from Aussie Macworld mar 06 - on slow pal to ntsc conversion.
    Am wondering if ,when using the encoder options in compressor,going progressive scan over deinterlaced will help up the quality - at the moment my final output is getting some serious "banding" when any motion happens on screen (eg moving pictureframes have "slat blind" edging while my original pal output maintains a sharp edge on the moving picture frame)- could this be an interlacing issue via the encoder in compressor?
    and will progressive play out on many tvs around the world?

    You may want to contact Roger Anderson at http://www.innobits.se/ssl/email_us.php . I understand that his new version of Bitvice may be able to solve your conversion issues.
    You can download a demo version of this software, ( http://www.innobits.se/ssl/download.php ) to see if it solves your problems. I know that he has incorporated a new set of algorithms to scale between different source like NTSC to PAL and back as well as other new capabilities.

  • Submission issue

    Hi I have a jsp file containing two different forms(means two drop down) with two javascript function and default value for both drop down is
    SELECT.
    expected functionality-is when I select from region form ,facility form should have only "select" and as soon as select value from region, facility value should be shifted to select
    present functionality-if i select value from region drop down ,facility value also changes from select.
    <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN">
    <%@ taglib uri="/WEB-INF/struts-html.tld" prefix="html" %>
    <%@ taglib uri="/WEB-INF/struts-bean.tld" prefix="bean" %>
    <%@ page errorPage="error.jsp" %>
    <html:html>
    <HEAD>
    <%@ page
    language="java"
    contentType="text/html; charset=ISO-8859-1"
    pageEncoding="ISO-8859-1"
    %>
    <META http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
    <META name="GENERATOR" content="IBM WebSphere Studio">
    <META http-equiv="Content-Style-Type" content="text/css">
    <LINK href="../theme/Master.css" rel="stylesheet"
    type="text/css">
    <TITLE></TITLE>
    <script language="javascript">
    function submitRegion()
    var ind = document.regionForm.region.selectedIndex;
    if ( ind == 0)
    alert('Please select the required region ..');
    return;
    else
    document.regionForm.submit();
    </script>
    <script language="javascript">
    function submitFacility()
    var ind = document.facilityForm.facility.selectedIndex;
    if ( ind == 0)
    alert('Please select the required facility ..');
    return;
    else
    document.facilityForm.submit();
    </script>
    </HEAD>
    <BODY >
    <div class="menu" id="menubar">
    <!--
    <%String name = (String) request.getAttribute("name");
    //out.write(name);
    %>
    -->
    <html:link action="/nation">National Audit Report</html:link>
    <br></br>
    <h1 style="font-size:12px">Regional Audit Report</h1>
    <!-- <html:link action="/regionalauditreports">Regional Audit Report</html:link>
    <<br></br>-->
    <html:form action="/regionalauditreports">
    Region: <html:select style="width:95px;" property="region" name="regionForm" size="1" onchange="submitRegion()">
    <html:option value="0">SELECT</html:option>
    <html:options property="regionList" name="regionForm" />
    </html:select>
    </html:form>
    <br></br>
    <h1 style="font-size:12px">IATA Audit Report</h1>
    <!--<html:link action="/iata">IATA Audit Report</html:link>
    <br></br>-->
    <html:form action="/iata">
    Facility: <html:select property="facility" name="facilityForm" size="1" onchange="submitFacility()">
    <html:option value="0">SELECT</html:option>
    <html:options property="facilityList" name="facilityForm" />
    </html:select>
    <br></br>
    </html:form>
    <br></br>
    <html:link page="/help.jsp">Help</html:link>
    </div>
    </BODY>
    </html:html>

    Hi Smita. Are you saying that it is reverting back after submitting and refreshing? The problem maybe because you are using 2 forms but you are submitting only one. So, even if through javascript the value is set to 0, the form bean value of one isn't changing as it is not submitted. That is my guess anyway, since I don't have an idea how your entire code looks like. Try to check whether the form bean value is being held somewhere inadvertently (like setting in session scope etc.). Try to trace your forms through the entire functionality, from submission upto the next page load. You may come to know how the value is being held...

  • Compressor 720p24 and text issues

    I am trying to output a 720p24 file using compressor. The file has lots of text overlays, and compressor seems to have a problem with this.
    The text comes out squished vertically, to the extent that if two text elements are close enough on the screen verically, it renders as overlapping text.
    This is using any of the default H264 web streaming codecs, entering in a 16x9 size manually, and checking the 16x9 box.
    The problem even happens if I export it using a 720p24 codec via compressor! If I do not select the 16x9 box in the geometry section it gives me a 960x720 image, but the text is rendered properly. If I select 16x9, the image looks great (circles are circles and not ovals) but again the text is squishy.
    Note: if I output the SAME timeline as a quicktime conversion 720p24(16x9) option everything works fine. Whats up with compressor?
    I am using FCP 5.1.4 with Compressor 2
    Please help

    I am trying to output a 720p24 file using compressor. The file has lots of text overlays, and compressor seems to have a problem with this.
    The text comes out squished vertically, to the extent that if two text elements are close enough on the screen verically, it renders as overlapping text.
    This is using any of the default H264 web streaming codecs, entering in a 16x9 size manually, and checking the 16x9 box.
    The problem even happens if I export it using a 720p24 codec via compressor! If I do not select the 16x9 box in the geometry section it gives me a 960x720 image, but the text is rendered properly. If I select 16x9, the image looks great (circles are circles and not ovals) but again the text is squishy.
    Note: if I output the SAME timeline as a quicktime conversion 720p24(16x9) option everything works fine. Whats up with compressor?
    I am using FCP 5.1.4 with Compressor 2
    Please help

  • Compressor 3.5 output issue

    I've been trying to output some movies for Facebook and You Tube via Compressor. Suddenly it seems to just sit there after I push "submit it" button (twice).
    In the "History" window the file just sits there with no activity on the progress bar
    and beneath there is a text line reading "Unknown Time Remaining"
    Could the culprit be in the compression setting?
    I've previously output 18 movies with no snags.
    Could something have changed in the setting since?
    Do recognize any problems in these specs for H.264 You/Vimeo HD setting?
    Thanks,
    Name: H.264 You Tube/Vimeo HD
    Description: QuickTime H.264 video with PCM audio at 48 kHz. Settings based off the source resolution and frame-rate.
    File Extension: mov
    Estimated file size: 168.73 MB
    Audio Encoder
    AAC, Stereo (L R), 44.100 kHz
    Video Encoder
    Format: QT
    Width: 1280
    Height: 720
    Pixel aspect ratio: Square
    Crop: None
    Padding: None
    Frame rate: (100% of source)
    Selected: 30
    Frame Controls: Automatically selected: Off
    Codec Type: H.264
    Multi-pass: On, frame reorder: On
    Pixel depth: 24
    Spatial quality: 75
    Min. Spatial quality: 25
    Temporal quality: 50
    Min. temporal quality: 25
    Average data rate: 2.097 (Mbps)
    Fast Start: on
    Compressed header
    requires QuickTime 3 Minimum
    Color Correct Midtones
    Red: 3.000
    Green: 3.000
    Blue: 3.000
    Gamma Correction
    Gamma: 1.050

    Under the Compressor menu, select Reset Background Processing.
    If that doesn't work, try this
    http://www.digitalrebellion.com/compressor_repair.htm

  • Submission issues iTunes Connect

    Hi, I have just received a negative Apple review result after having submitted my folio to iTunes Connect. "We found that your app exhibited one or more bugs, when reviewed on iPad running iOS 8 and iPhone 5s running iOS 8". My first question is: why does Apple test an iPad folio/app (that's what we get in Indesign DPS, don't we?) on an iPhone device? Doesn't the bindery we upload include information on what device it has been designed for (i.e. iPad)? My second question refers to the iOS version. I had, indeed, tested my developer and then the distribution version on an iPad running iOS 7 (just a few weeks ago, before submitting it for the review of the App Store). Now that the new software iOs 8 has been released, Apple (understandably) tests it on iOS 8 and it turns out, my folios do not load on iOs8. Is that always the case?? I have just downloaded iOS 8 and it does not load the app when I click on the icon of my previously tested and working folio.
    I would appreciate your help, thanks for your answers in advance!

    How long ago did you build your app? Is it a Single Edition app or a multi-issue app?
    If it is multi issue make sure you built it September 13th or later. See http://status.adobedps.com/?p=732.
    If it is single edition make sure you built it September 19th or later. See Re: Problem with single edition App v32
    The comment in their rejection notice regarding iPhone sounds more like a generic statement from them rather than that they tested specifically on iPhone. If you built a multi issue application then you got to pick what devices you supported when you made the app (it's the first step on App Builder). If you are building a Single Edition app then it is iPad only and will not run on iPhone so they couldn't possibly have tested it on iPhone.
    Neil

  • AppStore submission Issue

    Hello There,
    I exported a release build package for appstore distribution using my provisioning file.
    When i try to upload my ipa, i get this error: "There is no dwarfdump executable defined"
    I tried to unzip then rezip the xxx.app folder with no success...
    I am stucked to upload my application.
    Thanks to help me
    /niCko

    niCk005 wrote:
    I solved the problem by installing Xcode and System Tools.
    Did you do something else? Just installed xcode and application loader began to work?
    I'm asking because I've stucked just in the same problem.

  • HT1819 Podcast Submission Issues

    I am in the process of submitting a video podcast to iTunes.  I validated my feed, but when I submit it to iTunes it says "It appears the feed has already been submitted"  I can't find the feed on itunes, I haven't had any emails. Obviously I want to make sure my podcast is working.  What should I do?

    Changing location settings in SquareSpace solves this porblem.

  • Compressor fails with Codec not installed error after 10.5.7 update

    Problem: Compressor fails on submission to standard codecs such as H.264, Apple Intermediate Codec, Motion JPEG, etc. Codecs do exist on system as playback from QuickTime is unaffected. This is new behavior as of update to OS 10.5.7.
    Specs: 17" MackBook Pro, Compressor 3.0.5, QuickTime 7.6, OS X 10.5.7
    Attempt to resolve: Tried completely uninstalling Compressor/QMaster and reinstalling from the FCStudio disc as per "Compressor: Troubleshooting basics" (Article: TS1888 - Old Article: 302845). This installed Compressor 3.0 which compressed a single mov then began failing on subsequent submissions. Updated 3.0 to 3.0.5 with no favorable results. Submissions continue to fail.
    Any ideas?

    From my personal experience, the troubleshooting article which you mention in your original post does not constitute a "full uninstall". There are files missing from that list which are required for a full install.
    Using the instructions in the link provided, I've been able to do multiple uninstalls & reinstalls successfully, not only with Compressor & QMaster, but with other Studio apps as well.
    However, since there are codecs missing, you may need to do a full uninstall of Final Cut Studio. I personally haven't upgraded to 10.5.7 yet, since I'm currently in the middle of some projects, but it would be worth mentioning that before any kind of software upgrades, all of our system drives get a full backup. This allows us a way to "undo" any bad upgrade.

  • Can Compressor 4 remove duplicate frames?

    I have some videos which were converted to 30fps from a lower frame count. It was obviously a simple conversion that duplicated frames as needed.
    The problem is, when I use these videos for slow motion, the duplicated frames cause the slow motion to "pause". In order to fix this, I have to remove the duplicated frames (obviously I don't care about sound, and I don't care about time sync). Once the duplicated frames are removed, the slow motion is nice and smooth.
    In the past, I've always done this with very short clips, so I can do it manually. I open the video in QTP, advance one frame at a time, and when I see a duplicate, I delete it. Since there's always a pattern, depending on what the lower frame rate was, this can be done reasonably quickly, for very small clips. But it's obviously a tedious process.
    I was wondering a few things:
    1) Can Compressor 4 fix this issue for me? I've tried a few things in Compressor, but no help yet. I'm just a relative newbie, so that's not surprising.
    2) Are there any other utilities that might help? Something that removes duplicate frames, for example?
    3) These clips were already converted when I received them. However, in the future, when I convert a lower fps to 30fps for the purposes of doing slow motion, how should I do this in Compressor so as to have smooth slow motion at 30fps? Again, I don't care about audio.
    I've done a few days worth of searching, but I still havent found the answers. Any help will be appreciated.
    Thanks!
    Dan

    The Reverse Telecine didn't remove the extra frames. Who knows - maybe the frames aren't exact duplicates, although for the most part, they look it to the naked eye, which I realize doesn't mean much.
    Oh well, doing it by hand isn't the end of the world. I've probably spent more time trying to figure out an automatic method, than it would have taken to do it by hand. But of course, I'm sure I'm not the only one who's ever done that... 
    Thanks for trying. As I've been searching for help on other things, it's amazing how many times one of your posts helps. So you've helped me plenty, for which I thank you.
    Dan

  • Tiger / Compressor 1.2.1 and MPEG-2 output - How to avoid jumpy video.

    This post is to summarise my experience with compressor and mpeg2 transcoding in the hope that it will save someone else time and help them avoid similar problems.
    I recently transcoded a series of mpeg2 files to a lower compression setting using compressor and derivations of the standard high quality presets. While the encodes were generally excellent, I noticed that in all cases, near the end, there was some jitter on large pan scenes.
    After further examination, I found that in all cases, in every sequence of 4 frames, the first three frames were OK, but the fourth was a copy of the 3rd, hence the jitter in pan scenes.
    I then rechecked the whole file for this behaviour, and found that it was only present at the end of the file. Each time it started at roughly the same point which was about 1.4Gb into the source file.
    I reencoded the files using QT 7 and the same settings, and there was no problem.
    Given that the 2*2.5 G5 doing the encoding has 1.5Gb of ram, I suspect that compressor has a memory issue, although I cannot confirm this.
    I have also seen problems on small files encoded in a batch. These same files encoded alone did not show any problems.
    I would therefore recommend that when transcoding mpeg2 to lower bitrates with compressor:
    1. Free the maximum possible system RAM (reboot before job?)
    2. Keep source files smaller than system physical ram
    3. Dont run batches.
    4. If you do use batches, and see problems with the second or 3rd job, rencode alone.
    I may be way off of the mark, but there are many posts about similar problems and so I hope it may help.
    BTW, these problems also seem to occur in compressor2 and may or may not be due to the same issue.
    Perhaps someone from Apple would care to comment?
    G5 2*2.5 1.5Gb   Mac OS X (10.4.4)  

    What is the source framerate and size? What was the origianl source material that the original mpeg2 files were compressed from?
    Sounds like a pulldown issue. This might happen if the original mpeg2 files were encoded at 23.98 and you transcoded them to 29.97. Although you should notice it throughout the entire clip, not just at the end.

  • Compressor 2.3 just released!

    Compressor 2.3 addresses performance issues and improves stability. This update is recommended for all Compressor 2.1 users.
    Seems like the performance is improved quite a bit (especially the UI). No more lagging here at least
    Does anybody know more details about this update? Why did they skip version 2.2?

    - Compressor 2.3 adds compatibility with new options for transcoding to iPod-compliant H.264 files.
    - Compressor 2.3 addresses issues with deinterlacing quality for the fastest Frame Controls settings
    Note: This improvement requires Mac OS X 10.4.7.
    Apple has updated their Compressor Late-Breaking News PDF, where you can read more about this in detail.
    Enjoy

Maybe you are looking for