See if I'm doing this correctly - Starting create an HD 1920 X 1080 Slidesh

Hello All;
I'm new to FCP and am using FCP 6 from Final Cut Studio. I need to create a High definition Slideshow that will be shown on both a computer screen and a TV.
After opening FCP, I select NEW PROJECT and then New Sequence. Then I Then from the sequence menu, I select settings and in there select a frame size of 1920 X 1080 HDV 1080i.
My photos are at a resultion of 3008 X 2000. Then I import these into the timeline.
Two questions - First, is this the basic way to set up a HDV video project, and second, will the photos (Which are a higher resolution than HD), scale to fit the screen without changing the aspect ratio ? It looks like it's working correctly but before I get too far, I thought I'd ask the forum. Thanks.
Tim

Should I do a custom frame size and set it to 1920 X 1080. Then, select ProRes 422 for the codec ?
You choose the ProRes 422 EASY SETUP. This adjusts everything. Make a new sequence and that sequence will have those settings.
Would I set the Pixel Aspect Ratio to square and the field dominance to none ?
Well, ProRes 422, if you choose a 1080p setting, will have no field dominance and is square pixel.
I also want to create a smaller DV version for playback on a TV.
You will compress the master to a smaller format when you are done...with Compressor.
Shane

Similar Messages

  • Changing feed url from Blogger to Podomatic, using Feedburner...Am I doing this correctly?

    Apologies in advance for my newbie-ness, but I recently started a podcast (Candid Voices) using Blogger and then burning with Feedburner, from which I submitted the feed to the Itunes Store (which was accepted).
    However, I have had to switch to PodoMatic for my podcast hosting. I recently updated my Feedburner source url (just an hour ago), and I believe that should cause the Itunes store to update my Podcast eventually...however, I don't want to wait a few days and then figure out there was another step I was supposed to take to complete the changeover.
    Can someone let me know if I've done this correctly and can expect the Store to reflect the changes within a couple days?
    My PodoMatic url: http://candidvoices.podomatic.com
    My Feedburner url: http://feeds.feedburner.com/candidvoiceswithdonny
    If you need other information, please let me know.
    Thanks in advance for your patience and help!

    Oddly you appear to have two identical feeds:
    http://feeds.feedburner.com/candidvoiceswithdonny
    http://feeds.feedburner.com/CandidVoicesWithDonny
    iTunes is using the latter, but they are the same and are both drawn from the Podomatic feed, so I suppose Feedburner is somehow creating two simultaneously. However on your next update you should make sure that the latter feed is indeed being updated.
    Both episodes appear when subscribing, but the Store hasn't caught up yet - it was only posted today, so it should catch up in 1-2 days. There's no further action you need take.

  • Am I doing this correctly?

    I am making a smallish website and I am after some clarification/guidance/feedback on if I am properly abstracting out the different functionality, linking it all back together etc?
    In short: am I doing the right thing here?
    I have a JSP page that is an about page attempting to pull some user info from a database. It calls a bean called ProfileProcessBean.
    ProfileProcessBean will make a call to another bean, Databse bean that only handles databse calls. It takes the results set and uses it to fill out another bean that only has information about users, called Profile Bean. For each record in the results set it makes a bean adds it to a linked list. Back in the page, the LinkedList in the bean is iterated over in the JSTL and each ProfileBean is sent to a custom tag, ProfileTag which formats it to the page.
    It uses a Database from MEATA-INF/context.xml
    Examples:
    JSP
    <%-- Iterate over the results (a linked list of Profiles) from the ProfileProsessBean --%>
    <c:forEach var="profileList" items="${ProfileProcessBean.profiles}">
        <%-- Send each Profile to the custom tag for formatting and outputing --%>
        <tmc:profile userProfile="${profileList}"/>
    </c:forEach>The Profile ProcessBean
    package com.mysite.beans;
    import com.mysite.typebeans.ProfileBean;
    import java.io.Serializable;
    import java.sql.ResultSet;
    import java.sql.SQLException;
    import java.util.LinkedList;
    * This is the bean that process a profile.
    * It makes a call to the database and populates profileBeans with the results.
    * @see DatabaseBean
    public class ProfileProcessBean implements Serializable {
        ResultSet result;                       // The results of the database call
        LinkedList<ProfileBean> listOfBeans;    // The list that the results are formatted in to and the Profile Beans
                                                // are put into
        String user;    // The username that can be passed in as an optional argument
        public ProfileProcessBean() {
         * Process the results of a database connection that retuns a ResultSet of a statement into profile beans that are
         * passed to a custom tag for output.
         * <p/>
         * The statment selects a profile(s) and returns them to this method as a ResultSet. The results set is then
         * iterated over and each record is used to populate a ProfileBean. Once populated the ProfileBean is added to a
         * LinkedList and once all records have been processed the list is returned.
         * @return A linked list of ProfileBeans
        public LinkedList getProfiles() {
            DatabaseBean dbaBean = new DatabaseBean();
            try {
                // Check if a username is passed as "user" and if it is amend the stament
                if (user != null) {
                    result = dbaBean.executeQuery("Select * FROM \'users\' WHERE username = " + user + ";"); // Select a specific profile
                } else {
                    // Otherwise use the statment that returns them all.
                    result = dbaBean.executeQuery("SELECT * FROM \'users\';");                             // Select all the profiles as no specific profile was given
                // Iterate over the results set and add each row found as a new ProfileBean
                // Set the properties from the RS
                while (result.next()) {
                    ProfileBean profileBean = new ProfileBean();            // Make a new bean to be populated
                    profileBean.setPseudonym(result.getString("user"));
                    profileBean.setEmail(result.getString("email"));
                    //profileBean.setPicURL(result.getString("picURL"));    // not in test DB, next interation perhaps
                    profileBean.setAbout(result.getString("about"));
                    listOfBeans.add(profileBean);                           // Add the newly populated profile to the list, it could be one or nmany, it doesnt really matter
            catch (SQLException SQLEx) {
                System.out.println("Error in the SQL");
                System.out.println(SQLEx);
            return listOfBeans; // Return the list full of populated beans
    }The Database bean
    package com.mysite.beans;
    import javax.naming.Context;
    import javax.naming.InitialContext;
    import javax.naming.NamingException;
    import javax.sql.DataSource;
    import java.io.Serializable;
    import java.sql.Connection;
    import java.sql.PreparedStatement;
    import java.sql.ResultSet;
    import java.sql.SQLException;
    * Contains a collection of database access related functions.
    public class DatabaseBean implements Serializable {
         * Empty constructor
        public DatabaseBean() {
         * Make a connection to the database and executes an SQL query.
         * @param SQLStatementToExecute The SQL statement to execute, as a string.
         * @return A ResultsSet of the result of the executed SQL query.
        public ResultSet executeQuery(String SQLStatementToExecute) {
            System.out.println("now in dbbean");
            // Grap the JDBC context defined in META-INF/context.xml
            // It is setup in  the ennvironment context and referenced as a DataSources "jdbc/mysite
            // Local variables
            Connection conn;                // The connection to the database
            PreparedStatement prepStmt;     // The statment to execute
            ResultSet rs = null;            // The results of the executed statment
            try {
                // Lookup the connection details of the database defined in the context.xml file
                Context initContext = new InitialContext();                             // The details are stored in the context of the conputer
                Context envContext = (Context) initContext.lookup("java:comp/env");     // Get the environmental context that stores the details
                DataSource ds = (DataSource) envContext.lookup("jdbc/mySite");     // Get this specifc context
                System.out.println(ds);
                // Now try to execute the SQL statement
                conn = ds.getConnection();                                  // Get a connection to the database
                prepStmt = conn.prepareStatement(SQLStatementToExecute);    // Build a prepared stement to make things run faster, which can be put into cache
                rs = prepStmt.executeQuery();                               // Execute the statement and put the return into a RS
                conn.close();                                               // Close the connection so it can be returned to the pool
            } catch (NamingException nameEx) {
                System.out.println("There was a naming exception");
                System.out.println(nameEx);
                System.out.println(nameEx.getCause());
            } catch (SQLException SQLEx) {
                System.out.println("There was an SQLException");
                System.out.println(SQLEx);
            // Return the result set to the calling bean
            return rs;
    }The Profile Bean
    package com.mysite.typebeans;
    * This is the bean that repesents an authors profile
    public class ProfileBean {
        private String pseudonym;
        private String email;
        private String picURL;
        private String about;
        private String[] tags;
        // Default Constructor
        public ProfileBean() {
            pseudonym = "Flux Cap";
            email = "[email protected]";
            picURL = "flux";
            about = "Flux keeps the world working. Things would be different without him. " +
                    "Anyone fancy a ride in his Delorian?";
            tags = new String[] {"Time Travel","Science", "Cars"};
        public String getPseudonym() {
            return pseudonym;
        public void setPseudonym(String pseudonym) {
            this.pseudonym = pseudonym;
        public String getEmail() {
            return email;
        public void setEmail(String email) {
            this.email = email;
        public String getPicURL() {
            return picURL;
        public void setPicURL(String picURL) {
            this.picURL = picURL;
        public String getAbout() {
            return about;
        public void setAbout(String about) {
            this.about = about;
        public String[] getTags() {
            return tags;
        public void setTags(String[] tags) {
            this.tags = tags;
    }Again just some feedback on if i'm doing the right thing. Exceptions in the right place? Flow is in the right way? Any other comment. Sorry English is not my best language.

    Yes, but I am asking if it is he 'best' way to do this soft of thing.
    ie I caould do this with scriptlets in each page, but that introduces pretty huge redundancy and the problems with maintaining it.
    Everyone talks about abstracting that functionality out to a bean but never go into more detail about the better ways to do that. So, is this a better way? Are there any glaring ommisions or problems with the way that I am doing it that could be improved?

  • MVC - Am I doing this correctly?

    I am creating a User Enter/Edit app based on the MVC Model 2 Design Pattern.
    The app user goes to the Servlet (doGet) first and determines if this is the first time into the page, and if an User ID was passed in. If the UserID was passed in, then the Servlet instatiates the User Object, passes in the Id, and the User JavaBean gets the data from the database. If NO User ID is then, then we create the User JavaBean anyway, and the attributes are initialized the way I want them.
    Now, what is the best way to pass the data in the User JavaBean to the JSP page?
    I could put the User/Bean into a session, but I don't want to do that.
    I could use .setAttribute to put the User data into the request, and then forward to that JSP page. Then when I get into the JSP page, I could get the data that is there whether it is a new user or an old user. This will work, but is it practical.
    I was thinking of putting the data from the User JavaBean into an XML DOM, and then translating the string to WML or HTML (based upon the client browser), but my User Enter/Edit form needs to get data for a UserRoles List and an Employer List. So, this doesn't seem to work, or will it. I suppose I could create a User XML DOM, and add to the DOM the Employer List and Roles List.
    Anyway, what is the recommended/best practice way of taking data from the JavaBean and forwarding that data to the JSP page?
    Since I do want to keep as much code as possible out of the JSP page, I figured I should really only have my Utils JavaBean there just to get my Lists, but maybe the XML way is the answer.
    Anyway, thanks for any help, and if I can provide any more information, please let me know.
    Thanks.
    Tom

    Ok, I should use Request.setAttribute and put my user object there. Sounds Great!
    What I have been doing until recently was putting the object into session, for example:
    session.setAttribute("user",user);
    But what happens is that the session times out, and then the code crashes because the session is gone.
    Thanks very much for the help, it is much appreciated.
    Tom

  • Am I doing this correct..

    Hi all,
    I have been experimenting with O/C my system and never got anywhere with it.  This is what I have done:
    Mem to 166 / 133
    Men Volts to 2.7
    Mem timings to 2-3-2-6-1T
    HTT to 4x
    Htt to 230+/-  / 250+/-
    CPU Volt to 1.4, 1.425, 1.45 + 3.3% / +5%
    fails to boot, so I have to reset CMOS (pain as my SB is in the orange slot so I have to keep removing it to gain access to JBAT1).
    Some time if I leave the failed boot it will restart and tell me that I have a failed O/C.
    Any ideas
    worf105

    Thanks Chodi for the reply,
    My Mem is rated at 2-3-2-6 @ 200MHz so if I use the 166 in the bios I should be able to raise the HTT up by 34MHz to keep the Mem within spec, but if I use the 166 in the BIOS I never able to O/C the system.  I have tried to O/C my Men only without the CPU (CPU Multi - 6x & HTT Multi - 3x) and I managed to get to 220 at 2-3-2-6-1T @ 2.7v.
    I will try as you suggest about running the Men @ cas 2.5 and see what happens.
    Cheers,
    worf105

  • My pages are all messed up where i can't even see the whole page anymore. this just started a few days ago.

    in just the past few days when i get on my homepage or any other sites like facebook, youtube, ect. the pages are all messed up and i can't even see the whole page because it is enlarged and out of center. when i am on on my fb homepage i have to scroll to the right to get to the log out. everything just looks all crazy and messed up on any site i go to.

    Upgrade your browser to Firefox 8 and check
    * getfirefox.com

  • Why does this mavericks start on its own? even after downloading GFX card status it keeps on restarting. Fix it Apple. I'm going Banana.

    The laptop says kernel error, but after downloading GFX card status the laptop keeps on getting restarted. Oh why did i buy a macbook?

    Either your Mac is broken, or you have something installed which isn't compatible. Hard to tell without the kernel panic log. 

  • Firefox does not correctly print - creates empty pages and cuts of content when printing

    When trying to print out pages Firefox first prints a lot of empty pages, and then only a part of the content. Example:
    https://online.medunigraz.at/mug_online/wbTvw_List.lehrveranstaltung?pStpSpNr=182778
    When entering "print prview" you can see empty pages.
    When printing this page with Internet Explorer all is fine.

    Thanks for this hint, but it does not help.
    This problem does not appear in Internet Explorer, and it should be reproduceable. At least I thought so, so it would help if others could try to click on the link and try to print. They should have the same troubles.
    https://online.medunigraz.at/mug_online/wbTvw_List.lehrveranstaltung?pStpSpNr=182778
    I also attach a Screenshot so that you can see how the Print Preview looks like.
    Kind regards,
    Herwig

  • I am getting error 4SNS/1/40000000: TG0H-128.000 ? what does this mean.

    HI there,
                  I ran apple hardware test through snow leopard OS disk 2,  i got this error 4SNS/1/40000000: TG0H-128.000 , My fans are continously running at 5700 rpm even i am doing nothing. I have booked an appointment with genius bar on monday 6 may. are they expensive to repair or should i find a local apple technician ? is there any other method to fix it.

    Your computer has to start from the Windows disc but it's not doing this. After creating the volume, make sure that the Windows disc is inserted, and turn on your Mac holding the Option (Alt) key, so you will see all bootable partitions. Choose the "Windows" option with a DVD, so the Windows installer will start and you must follow its steps.
    If you need help installing Windows, follow the steps of this how-to > http://manuals.info.apple.com/en_US/boot_camp_install-setup_10.8.pdf

  • AVCHD Camcorder to DVD Advice Needed - Am I Doing This Right?

    Hi All,
    I have a MacBook Pro 2.4 GHz Intel Core Duo with 2GB memory. I also have a Canon HG10 AVCHD Camcorder. I took a total of 2.5 hours of video footage.
    1. I attached the camcorder to my computer via USB and downloaded the movie off of my camcorder onto my laptop - this took about 2.5 hours to do.
    2. Then I wanted to make a DVD out of the footage and created a DVD in iDVD. I loaded the movie from iMovie and created a DVD - this took about 5 hours.
    3. Then I burned the first DVD - this took over 2 hours.
    4. I burned additional DVDs as gifts - and each of these took about 19 minutes.
    My questions are: Am I doing this correctly? Does one 2.5 hours of filming really need to take so long to decompress or whatever it is doing? Would I have been better off using iMovieHD? I'm sorry to sound so stupid, but I am very new to camcorders and iMovie/iDVD. Many thanks for your help and understanding.

    Let me see if I can describe it easier
    Step 1 - transferred 2.5 hours of video footage from my Canon HG10 to my MacBook Pro (took about 2.5 hours to do) this was put into iMovie '08 with no problem
    Step 2 - I created a DVD in iDVD with 1 song out of iTunes as the Main Screen of the DVD, created 1 chapter for the Movie itself, and 1 Slideshow of pictures with 1 song from iTunes. I then pressed burn DVD - which it took over 5 hours to burn the first DVD
    Step 3 - additional DVDs took 19 minutes to burn after the first one.
    I hope this helps. I might of messed up on my first post. Thanks!

  • Whenever i type in the google box to search every letter i type firefox asks what would i like to use to open this file this is so annoying how do i get it to stop doing this?

    whenever i type in the google box to search every letter i type firefox asks what would i like to use to open this file this is so annoying how do i get it to stop doing this?

    Start Firefox in <u>[[Safe Mode]]</u> to check if one of the extensions or if hardware acceleration is causing the problem (switch to the DEFAULT theme: Firefox/Tools > Add-ons > Appearance/Themes).
    *Don't make any changes on the Safe mode start window.
    *https://support.mozilla.org/kb/Safe+Mode
    *https://support.mozilla.org/kb/Troubleshooting+extensions+and+themes

  • Does Aperture Correct Lens Distortion with Panasonic Raw Files?

    I have a Panasonic GF1. When shooting in JPEG I know that the camera adjust for barrel distortion on the saved image. However It does not for RAW images as far as I know.
    I am aware that Adobe reluctantly added the software correction to Adobe Camera Raw for Panasonic cameras that need this for their RAW files to look correct, even though technically the file is no longer RAW after this adjustment. The information needed to do these corrections is encoded in the RAW file. So! I am wondering if Aperture does this correction to imported RAW files now that it supports The GF1?
    Heres a more in depth look at the distortion issue: http://www.dpreview.com/reviews/PanasonicGF1/page19.asp

    As a DMC-G1 owner, I thought that RAW conversions were fully supported now. Turns out that my perception seems to have been only partly true.
    I fired up SilkyPix again (thought I'd seen that for the last time!) and checked what corrections it offers. In the 'Lens aberration controller', there are three controls: Shading (angle and amount), Distortion (distortion rate and centre) and Chromatic Aberration (R rate and B rate).
    Aperture only exposes controls for the [Chromatic Aberration|http://documentation.apple.com/en/aperture/usermanual/index.html#cha pter=17%26section=11|Working with the Chromatic Aberration Controls] (red/cyan and blue/yellow) - this can be applied globally or brushed in selectively.
    There doesn't appear to be any access to shading or distortion as there is in SiklyPix, though - at a quick glance and I could be wrong - Aperture's [Devignette|http://documentation.apple.com/en/aperture/usermanual/index.html#ch apter=17%26section=4|Working with the Devignette Controls] tool appears to provide a similar function to the description of the Shading tool in SiklyPix.
    If there's distortion correction automatically going on behind the scenes - you did mention the embedded correction information in the RAW file - then it's not obvious. There's certainly no user control that I have seen.
    Hope this helps...
    Regards,
    Gary

  • My Ipods Brightness Dosnt Work! What does this mean?

    Hey, I had a question my ipods brightness dosent work like when i go to a dark room you cant see anything like its all dark and when i go to a bright room you can harley see it. What does this mean? What can i do to fix it? Help Please

    Try the standard fixes to rule out a software problem:
    - Reset:
    Reset iPod touch:  Press and hold the On/Off Sleep/Wake button and the Home
    button at the same time for at least ten seconds, until the Apple logo appears.
    - Restore frombackup
    - Restore to factory defaults/new iPod
    If still have problem you likely have a hardware problem and anappointment at the Genius Bar of an Apple store is in order.

  • Why has TB started creating INBOX/Trash folders on all my accounts and how can I prevent it?

    For some reason, Thunderbird has started creating the folder INBOX with a subfolder Trash in it on all my IMAP email accounts whenever it starts. INBOX is grayed out, Trash is not. The INBOX folders are subfolders to the Inbox folder of the account and there is already a Trash folder as a subfolder to the Inbox account. How can I stop this from happening?
    This is on Windows machines, latest version of TB.

    I have the exact same problem. It seems to have started up recently. Looking at your post date of 3/1/2015, mine might have started a little bit later, but nonetheless around the same timeframe. I have tried deleting this 'shadow' folder, and it goes in the trash, and I empty the trash, and I think everything is great. Until the next time I start up TB, and it shows up as a Subdirectory of "Inbox". I use IMAP, and I check on the server side and see it there. And when I delete it from TB. It disappears from the server side. I empty the trash. I keep outlook closed for many hours, check the server side and it's "clean", as soon as I start up Thunderbird, within seconds, the 'shadow' (Inbox->"Inbox->Trash") pair of directories show up. And then it shows up on the server side as well. I have quite a number of email accounts/profiles, and it seems this happens to all but 'one' of them. Not sure what's magical about this one other profile. Otherwise, the other 10+ accounts ALL have this problem now. Some were created years and years ago, and some were created within the last year. I'm on a Mac.
    At first (and still suspect) I thought it might have had to do with the 'Server Settings-> When I delete a message: -> Move it to this folder" setting, but I checked and all the old accounts and the new account has the same setting. It sets it to "Move it to this folder: "Trash on [email protected]" of the corresponding account.
    And on the 'new' account, it is set to "Choose Folder". I've left it alone. For fear that if I 'choose' the folder to be like I've set up all the others, that this will start creating the 'Shadow' "INBOX->Trash" folder under the 'Inbox' of all my accounts.
    I wish there was a way for me to 'reset' the selection on one of my other accounts to "Choose Folder" and see if it helps 'fix' the problem. Nonetheless, it seems to be a weird bug.
    Screen shots attached:
    1) shot of problem situation,
    2 what it should look like (aka when I delete the Shadow INBOX->Trash before it reappears),
    3) settings on problem accounts/profiles,
    4) setting on newly created no-problem account/profile)
    Hopefully, this provides a bit more color to my version of what seems to be the same problem.
    Thanks.

  • I can't find preferences for the notes app. and every once in awhile some of my notes just disappear at start up, I see the name and then it refreshes and they are gone, very annoying. Can anyone tell me why it does this and how to stop it? thanks

    I can't find preferences for the notes app. and every once in awhile some of my notes just disappear at start up, I see the name and then it refreshes and they are gone, very annoying. Can anyone tell me why it does this and how to stop it? thanks

    Hi again, I am on an iMac using OSX 10.7.5, I"ve taken screenshots to show you I think my settings are correct

Maybe you are looking for

  • How can i make a large document without loosing the quality of the image

    I am doing this design of about 6 meters wide for a banner my worry is how to maintain the image quality

  • Exchange 2013 cros site blank page OWA/ECP

    Hello, I have an issue with a fresh installation of Exchange 2013 SP1. The are two AD site in different cities, connected by WAN link (site-to site VPN organized by Cisco ASA). I installed two Exchange servers in Site A (MBX1 and MBX2, both with MBX+

  • Save PDF in KM - Personal Documents of user with Web Dynpro ABAP (WDA)

    Hi Experts, I have a WebDynpro ABAP Application, running in my Portal, which generates (after some input steps) a pdf (Adobe Form) as confirmation. Of course the user can save and print the pdf-form by himself, but I would like to save the PDF automa

  • Dispute Case- workflow

    Hi we want to send email to occasional processor using workflow about dispute case. Please tell the setting. I have already activated event linkage for work flow. Do I need to also check the process route check mark in case type configuration. Please

  • ADS Error when opening Benefits Confirmation Statement

    Hello, I am on EP7.0 NW04s ECC6.0 and trying to open Benefits Confirmation Statement in ESS and when clicking on it I get the following error with the SAP GUI in the portal saying : ADS : Request Start Time : Tue Oct 09 13:43:00 CDT 2007(200101) and