Selecting correct settings for a new project

I'm about to start my first project using Elements and the final output for the project will be need to be a H264 or a “WMV” file which which can be uploaded to an FTP site.  It will also be displayed in front of a group on a screen (size is 7.5’x10’.)
What is the most optimal project settings I should use when I start the new project?  Something in the AVCHD catagory?  (Using NTSC).
Thanks!

Yes Premiere Elements has several H.264 options under the AVCHD tab including output at 1080p and 720p with various frame rates. If you only have Photoshop Elements you will be limited to making a wmv file. If you do have Premiere Elements you will get best advice at it’s own forum.
http://forums.adobe.com/community/premiere_elements

Similar Messages

  • Correct settings for DVD

    Hi
    I wish to know which are the correct settings for making a new project in imovie and then what to do for getting the best quality on DVD. (I use still pictures and video clips with music, transitions and effects)
    Thank you so much.

    ola
    the correct format depends on the format your camera (PAL or NTSC - 4:3 or 16:9) meaning the project format should meet the camera format. pleas note that that format changes in iMovie/iDVD are effective only for new projects and cannot change existing ones. the dvd quality settings depend on the length of your movie and can be set in iDVD under preferences.
    my movies are never longer than 30 min. so i set it to faster encoding and check background encoding ... i also tried with best quality once but frankly i can't see the difference
    buona suerte & viva la mela

  • Remaining questions while evaluating JavaFX for a new project

    Dear forum members:
    currently I am evaluating the possibilities of next-generation GUI technologies, such as JavaFX, Silverlight and Flash/Flex, for a new project. To get a basic understanding of JavaFX's concepts, I worked through the available online text and video tutorials, and all the treated topics seem quite obvious/comprehensible to me +as long as one is only confronted to relatively static GUI component hierarchies+. But, as a newbie, some questions concerning more dynamically defined GUIs (i.e. dynamic JFX scripting*) still remain.
    Application scenario (exemplary):
    Say I want to create a "Online Shopping Application" that supports "+ShopOwners+" in *dynamically* defining the "+Shop Model+" structure, e.g. accepted visitor (client) categories, product categories their products, pricing information, payment methods, etc.
    Then, based on the dynamically defined model, the shop owner should be able to design and layout the necessary forms, such as order forms, survey/feedback forms, etc. This should be done in "design mode", and there should also exist a possibility for him/her to preview the specification results in a "preview mode".
    Finally, the shop owner must be able to save the model and forms on the server side in a way that can requested and run be the shopping app end users (the shop clients) via (another (?)) JavaFX frontend.
    _The still remaining questions for this scenario are:_
    +1. Is JavaFX appropriate for creating such kind of applications, especially when it comes to dynamic JFX scripting (and compilation) on the client side??? (By now I'm not quite sure if this is really necessary for my plans!)+
    +2. Concerning the ShopOwner's GUI with its design and preview mode (and knowing that the latter mode will be the GUI version presented to the shop clients in another JFX module):+
    +Is it possible to *dynamically *build up a +Scene Graph+ in a way that lets me handle and *compile* the corresponding +JFX Script+ on the client side for previewing it? Or is a client-server roundtrip absolutely necessary?
    How could one persist this JFX Script on the server side? I.e., which intermediary format would be the most appropriate? => XML, JSON, JFX Script?
    3. Concerning the "Shop Model", would I optimally create JFX classes or even Java Beans to bind to?
    4. And finally: What would be your recommended way (software architecture) to fulfill this task in JavaFX?
    Do there already exist some JFX components (dynamic forms/survey authoring modules, etc.) that persue a similar task and that I didn't find yet?
    As the clarification of the above-mentioned issues are very important for me, I hope that you more experienced users can help me, pointing me to a practicable approach.
    Thank you very much for any help and constructive tips in advance.
    Best regards
    Martin Meyers

    Q1: Do I optimally need 2 different custom components for each treated concept, or do I have just 1 component with 2 internal modes (design & preview/usage)??
    E.g., (a) FormSpec widget composed of LabelSpec, TextBoxSpec, ChooseBoxSpec,... widgets each having their preview pendants
    Form, Label, TextBox, ChooseBox, etc.
    versus
    +(b) only Form widget composed of Label, TextBox, ChooseBox widgets, but all having a "design/preview execution mode".+
    Closer to (b), I think, though each widget doesn't need to be modified to have design and preview modes. Instead, each widget can be wrapped within a Group to provide the design/preview functions without modifying the widget itself.
    The technique is as follows. Given a sequence of widgets (Nodes, really), for each widget, wrap it in a Group that contains that widget but with an overlay Rectangle in front of it. The Rectangle can be semi-transparent, or fully transparent if you prefer. (In the example below I've made it a semitransparent color to make its location obvious as well as to provide a highlight that signals design mode.) The overlay Rectangle is set up so that its dimensions will exactly track the dimensions (bounds) of the widget behind it. I've set blocksMouse to true so that when it's present, the overlay traps events and prevents interaction with the widget. There is a boolean variable previewMode, controlled by a CheckBox, that controls the visibility of these overlay rectangles. I've also added a bit of code to track mouse events on the overlay rectangles so that you can move the widgets around when you're in design mode.
    Note that the visible variable differs from transparent, i.e. opacity == 0.0. If a node is visible but is transparent, it is still eligible to receive events; whereas if visible is false, it does not receive events.
    Here's some code that illustrates this technique. I'll answer your other questions in a subsequent post.
    import javafx.stage.Stage;
    import javafx.scene.*;
    import javafx.scene.control.*;
    import javafx.scene.input.*;
    import javafx.scene.layout.*;
    import javafx.scene.shape.Rectangle;
    import javafx.scene.paint.Color;
    var previewMode = true;
    var lastX:Number;
    var lastY:Number;
    function wrap(n:Node):Node {
        Group {
            content: [
                n,
                Rectangle {
                    opacity: 0.2
                    fill: Color.web("#ffff00")
                    x: bind n.boundsInParent.minX
                    y: bind n.boundsInParent.minY
                    width: bind n.boundsInParent.width
                    height: bind n.boundsInParent.height
                    visible: bind previewMode
                    blocksMouse: true
                    onMousePressed: function(me:MouseEvent) {
                        lastX = me.x;
                        lastY = me.y;
                    onMouseDragged: function(me:MouseEvent) {
                        n.layoutX += me.x - lastX;
                        n.layoutY += me.y - lastY;
                        lastX = me.x;
                        lastY = me.y;
    var controlList:Node[] = [
        Button {
            layoutX: 140
            layoutY: 20
            text: "Button1"
            action: function() { println("Button1 clicked!"); }
        Slider {
            layoutX: 30
            layoutY: 60
            min: 0
            max: 100
            override var value on replace {
                println("Slider value is now {value}");
        Label {
            layoutX: 50
            layoutY: 100
            text: "Non-interactive label"
        CheckBox {
            layoutX: 40
            layoutY: 140
            text: "CheckBox"
            override var selected on replace {
                println("CheckBox is now {if (selected) "checked" else "unchecked"}");
    Stage {
        title: "Design vs Preview Mode"
        width: 400
        height: 250
        scene: Scene {
            content: [
                CheckBox {
                    layoutX: 10
                    layoutY: 10
                    text: "Preview Mode"
                    selected: bind previewMode with inverse
                Panel {
                    content: for (n in controlList) {
                        wrap(n)
    }

  • What are the correct settings for the Canon 5D mark II in FCP 7 ?

    I am shooting full HD at 23s97 fps.. tried making a preset for the Canon but when I import fils FCP always wants to change to appropriate settings for this file type but doesn't tell me what that is...
    (latest firmware installed)
    Please, can someone provide all the correct settings for me?
    And also, why doesn't the camera show up on the desktop/in the menus when attached to the mac? I have ro use EOS utility every time I want to get anything off of the camera... and FCP doesn't see it either. That's just not right - FCP MUST recognise my camera!! : (
    Please help - I don't want to start editing until I have the right settings for this footage.
    Thanks
    Jim

    Welcome to the Boards
    Not sure what you mean with the following, looks like a word dropped?
    I have ro use EOS utility every time I want to get anything off of the camera...
    Anyway, some more specs on your system could help point where the issue is. With the new Plug-In by Canon you can Log & Transfer from the Flash Card (not sure how you connected the camera.) Alternatively you could just drag the files in (but make sure to keep all files such as THM in case you use Log and Transfer later.)
    Generally it is best to transcode to Pro Res to be able to work with the files in Final Cut. (Log & Transfer should do that, or using Compressor/Mpeg Streamclip.)
    It (Final Cut) is probably changing the timeline to match the codec, or depending on your last preset used, just switching things around. In other words if you were editing in DV and had a set up for that, new sequences would default to that and if you try to ad anything else you will get the message.
    Take a look at the search over there -> to look for the Canon 5D threads for some more info.
    What I would do is just pull one of the clips in to start and look at what the sequence settings are aftr Final Cut changes them for you - they should be fine generally, though you will want to change Codecs to Pro Res.
    I like just batch conversion of all my clips from the 5D Markk II and then work from there. (I do not hook up the camera to the computer, just use a card reader.)

  • Should we really go for bean data controls for a new project?

    Hi,
    I am still new data controls and trying to figure out the advantages of using bean data controls for our new project. Our UI is going to have customized UI components and our back end is going to be a tcp/ip server.
    Is it a good idea to develop java beans and then create data controls to bind to UI layer? I think it makes sense to use data controls if we want to use existing java beans. Maybe we would be separating the model layer by using data controls, but only thing it would be doing for us would be the simple object calls to my java beans. Would it be better to use data controls or use I choose to make object calls?
    Thanks,
    Manoj

    Hi,
    the POJO data control will always give you a benefit and develope productivity, unless what you have to build fits on a single page - in which case you may not mind the burdon of manual UI component binding
    Frank

  • When I hit the import button for a new project I get an internal error message stating: Could not find namespace: AgCreativeCloudUtils

    When I hit the import button for a new project I get an internal error message stating: Could not find namespace: AgCreativeCloudUtils
    Can someone help me with this issue please? Tks

    https://forums.adobe.com/search.jspa?q=Could+not+find+namespace%3A+AgCreativeCloudUtils&pl ace=%2Fplaces%2F1383621&depth=…

  • Automating album creation for a new project?

    I have several projects (such as specific event shoots) with the same basic set of albums for that project (some regular albums, some smart albums). I'll have albums for specific subsets of the events (for my sports shots, there's Individuals, Action, Team, etc.).
    I'd like to automate the creation of these albums, as it gets a bit tedious having to create a bunch of albums manually for each new project I create. I looked at Aperture's automator actions, but couldn't find anything related to album creation. Is there such a thing?
    Thanks...
    David

    I'm pretty sure this is scriptable using AppleScript. I haven't really had the need to script Aperture so I can't tell you the exact syntax without looking it up myself, but it shouldn't be too hard if you've ever used AppleScript. Just open Script Editor, go to File > Open Dictionary... > Aperture and you'll get a list of the scriptable actions Aperture has available.

  • Java vs. C# for a new project

    Hi,
    I know this has probably been done to death, but the world changes and the old arguments lose their validity so I'd be interested in people's thoughts:
    I work for a largely C# shop, but due to a general dislike of .net and Microsoft from the developers there is the possibility of using something non-MS for a new project. Currently it is looking like the app will be a traditional client-server app. Java has been mentioned as a possible alternative, and being an old Java guy myself I'm excited about the possibility of using it again!
    I have a meeting with the directors to discuss reasons why we'd want to use Java in place of C#. The directors have made a lot of cash out of MS platforms, but are open to change if I can convince them - I've come up with the following reasons:
    1) Java is more widely adopted in 'serious' industry and the biggest websites e.g. ebay, Amazon etc. all use it as their platform of choice
    2) Portable - we are having a desktop client. Whilst running on non-Windows desktops may not be a priority now, Macs and Linux are making noteworthy ground (Apple are nearly tipping 10% for the first time in decades!). Java would let us sell to these clients too.
    3) Cheaper - Don't need to pay thousands for MS licences before they can even run our software (IIS, SQL Server etc.)
    4) Better community - can leverage various OSS projects to accelerate development - in the .net world similar components are likely to be chargeable (and probably expensive!)
    What do you think to my reasons and can anyone think of any other compelling arguments?
    Many thanks,
    Ash

    A_C_Towers wrote:
    I work for a largely C# shop, but due to a general dislike of .net and Microsoft from the developers there is the possibility of using something non-MS for a new project.
    makes no sense. Use the appropriate technology for the solution rather than something 'you like'.
    Their 'dislike of .NET' almost certainly means they're stuck in the past and don't want to put in the effort to learn anything newer than VB6.
    I have a meeting with the directors to discuss reasons why we'd want to use Java in place of C#. The directors have made a lot of cash out of MS platforms, but are open to change if I can convince them - I've come up with the following reasons:
    for client/server? Unless you need to support more platforms than just Windows using Java instead of .NET makes no sense.
    1) Java is more widely adopted in 'serious' industry and the biggest websites e.g. ebay, Amazon etc. all use it as their platform of choiceIt isn't.
    2) Portable - we are having a desktop client. Whilst running on non-Windows desktops may not be a priority now, Macs and Linux are making noteworthy ground (Apple are nearly tipping 10% for the first time in decades!). Java would let us sell to these clients too.No argument. Apple is a niche market for corporate use except with graphics designers, Linux is a niche market anywhere except for servers.
    3) Cheaper - Don't need to pay thousands for MS licences before they can even run our software (IIS, SQL Server etc.)Wrong.
    IIS comes free with Windows, and you still need a quality database server. As your current customers will be using MS SQL Server that's the most logical choice and its integration with .NET is way better than its integration with Java.
    The most viable alternative is Oracle which is even more expensive.
    The most viable alternative for IIS when using Oracle is WebLogic which is more expensive than is IIS (which after all is free).
    4) Better community - can leverage various OSS projects to accelerate development - in the .net world similar components are likely to be chargeable (and probably expensive!)
    Could be. But that could just be because you know the Java community better.
    What do you think to my reasons and can anyone think of any other compelling arguments?
    Unless you or (more important) your customers already have a Unix environment in place, there is no real reason to not use .NET.

  • Configuring Maven for a new Project

    Could anyone provide inputs on how to configure Maven for a new project?
    I am referring to links
    http://maven.apache.org/guides/getting-started/index.html#How%20do%20I%20setup%20Maven?
    http://maven.apache.org/guides/mini/guide-creating-archetypes.html
    Rgds,
    seetesh

    We are introducing a new feature in Flex 2.0.1 that's due out
    early next year. The feature is called "Modules" and it was
    discussed at this year's MAX 2006. You can read more about it on
    Roger Gonzalez's blog:
    http://blogs.adobe.com/rgonzalez/
    - check the "Modular Applications" articles. I think this will go a
    long way to making the reusable parts you are talking about.
    Flex does not build things from instructions unless they are
    written in ActionScript. We have customers that do create dynamic
    interfaces based on data loaded from a database, so it is possible.
    But if you have pre-built templates and all you need to do is
    change certain aspects at runtime, it should be pretty easy with
    Flex. Take a look at the Flex documentation, especially the part
    about the Flex framework and how Flex sources are compiled into
    SWFs.
    You style Flex components using style sheets (CSS files).
    This also includes specifying skins for components if you decide to
    give something a whole new look.
    I'm a bit biased here, but I think using ColdFusion (version
    7.0.2) with Flex 2 is very easy. But it depends on your needs,
    budget, deployment, etc. WIth CF 7.0.2 and Flex Builder 2 you get
    wizards to be build both CFC (ColdFusion components) and matching
    ActionScript objects so that you exchange objects, not just data,
    between Flex and CF.
    WebServices can also be used (with CF, too). This gives you
    more choices to the backend. If you have a large amount of data or
    it is complex, consider Flex Data Services as that has data
    management capabilities.
    Flex 2 has localization capabilties. You create a 'resource
    bundle' in various languages and build SWFs for each one. When the
    end user choses their preference, take them to the page that loads
    the appropriate SWF.
    HTH

  • HT5958 After i updated my terabyte, when i open fcpx 10.1 my hard drive never appears, so i can't open a new library for a new project. What should i do?

    After i updated my terabyte, when i open fcpx 10.1 my hard drive never appears, so i can't open a new library for a new project. What should i do?

    Hard drives do not appear in the application. Use File>New Library.

  • Lightroom 4 Lens Corrections Profile for the new AF-S Nikon 80-400mm f/4.5-5.6G ED VR

    When can we get a Lightroom 4 Lens Corrections Profile for the new AF-S Nikon 80-400mm f/4.5-5.6 G ED VR lens?

    Based on the past - probably next version. If not, then the one after that.
    PS - That is unofficial info, and may be wrong...

  • Correct settings for HDV capture

    Hi. I'm using Premiere CS5.5. I went on a few forums to get the correct settings for HDV capture.
    I can record the footage fine. However I saw a few things which didn't seem right.
    After capturing the HDV footage, the file was a .mpeg file. Secondly, the clip was 1 hour and 10 minutes and
    it was only 11.3 GB. Does this sound right? A 55 minute .avi file is 11.6GB. I thought a HDV clip would be quite a large size file.
    If this dosen't sound right, is there somewhere I could go to, to check that my settings are correct? By the way I'm filming and capturing with a Canon XHA1.
    The footage is 1080i. HDV. I've exported it and it looks fine. Just want to make sure I've captured it correctly and to the best quality.
    Thanks for your help.

    The HDV format was advanced by Sony and others to use the same miniDV tapes used for SD.  In fact, your Canon XHAI can record and play either without changing the tape transport speed.
    Your observation in relative file sizes is due to the fact that HDV is highly compressed (MPEG), whereas, SD (AVI) is not as highly compressed.  This is one of the reasons folks (such as Harm) don't consider HDV to be an edit format, but just a delivery format.
    Note that what Harm was saying is symantics--you capture an analog source through a capture card that digitizes it.  When you transfer a image file from HDV or SD, it is already digitized, so a bit-to-bit transfer occurs.

  • Which are the correct settings for gmail in MacBookPro

    I want to use mac mail to access my gmail. Can I  ? instead of going directly to web to access my gmail.? Which are the correct settings for the incoming and outgoing servers ?

    Hi,
    Yes. You can absolutely access your Gmail account from within either Mail or Microsoft Outlook for Mac. Make sure, that you have enabled POP/IMAP in your Gmail settings, then follow the instructions here: http://mail.google.com/support/bin/answer.py?hl=en&answer=180188 if you wish to access your account via POP3 instead of IMAP, change the incoming mail server to pop.gmail.com
    Regards,
    Gábor

  • [svn:fx-trunk] 7801: Submit on behalf of Pete - an update to the project settings for the flex4test project , the link type was wrong.

    Revision: 7801
    Author:   [email protected]
    Date:     2009-06-12 14:38:25 -0700 (Fri, 12 Jun 2009)
    Log Message:
    Submit on behalf of Pete - an update to the project settings for the flex4test project, the link type was wrong.
    Doc Notes: None
    Bugs: None
    Reviewer: none
    tests: compile & run
    Modified Paths:
        flex/sdk/trunk/development/eclipse/flex/flex4test/.actionScriptProperties

    Wait a second...there is more to that error message that I overlooked before.
    There might be something other than just the way I set the CODE and CODEBASE parameters wrong here
    Any ideas?
    Here is the entire messsage:
    load: class DisplayMonoApplet.class not found.
    java.lang.ClassNotFoundException: DisplayMonoApplet.class
         at sun.applet.AppletClassLoader.findClass(Unknown Source)
         at java.lang.ClassLoader.loadClass(Unknown Source)
         at sun.applet.AppletClassLoader.loadClass(Unknown Source)
         at java.lang.ClassLoader.loadClass(Unknown Source)
         at sun.applet.AppletClassLoader.loadCode(Unknown Source)
         at sun.applet.AppletPanel.createApplet(Unknown Source)
         at sun.plugin.AppletViewer.createApplet(Unknown Source)
         at sun.applet.AppletPanel.runLoader(Unknown Source)
         at sun.applet.AppletPanel.run(Unknown Source)
         at java.lang.Thread.run(Unknown Source)
    Caused by: java.io.IOException: open HTTP connection failed.
         at sun.applet.AppletClassLoader.getBytes(Unknown Source)
         at sun.applet.AppletClassLoader.access$100(Unknown Source)
         at sun.applet.AppletClassLoader$1.run(Unknown Source)
         at java.security.AccessController.doPrivileged(Native Method)
         ... 10 more

  • HT1277 i have all the correct settings for my e mail but i can't send for some reason it keeps taking my outgoing server offline

    i have all the correct settings for my e mail but i can't send for some reason it keeps taking my outgoing server offline can anyone help

    If you can receive mail and your connection to your ISP is otherwise working, but cannot send mail, then your SMTP settings are incorrect; the SMTP server port is wrong, your SSL setting is wrong, or the username or password credentials don't match what the ISP has, or your attempted accesses are being blocked or your ISP SMTP server is offline.
    And in general, don't use port 25 for your outbound mail, unless your ISP specifically requires that; these days, that port is best left to communications between mail servers and (usually) not used by any mail clients.

Maybe you are looking for

  • Error in Sales InvoiceSAP ERROR A/R INVOICE- ROWS [BASE DOCUMENT INTERNAL ID] "NO MATCHING RECORD FOUND"

    Hi, I am new to this portal. When I am trying to add A/R invoice based on Sales Order I got this Error Message from Evening in All Open Document. How to Rectify This. An Early Response Will Be very helpful. Thanks, Vikram

  • Seemingly trivial but can't see to do it

    Hi, I always liked using the arrow keys for moving objects in situations where I need more precise control e.g. I use this technique in Photoshop all the time. Is there a trick to using arrow keys in PrE 9? For example, I'm trying to position my text

  • Can i buy previous model imacs from the apple store?

    if i wanted to buy the last imac model shipped with snow leopard (for software compatibility reasons), where can i do that? is it available in the online store? years ago, i remember seeing old model imac/products sold there. i don't mean the pre own

  • Date data type in Forms5.0

    I have a date field in my Form formatted as mm/dd/yyyy. Conditionally, the field needs to use '*' to represent a message after query. Also the field is updateable. Is there any way to set '*' into that field? Or any suggestions? Thanks

  • S 9 Software Development

    Hello, Does anybody have a list (or perhaps someone could compose one) of currently and/or recently developed OS 9 programs? It would be interesting to see what people are still doing with this final installment of the good old classic interface. I u