What is the best camera technique to use for this project?

hi, im making a small thing for my gf on motion. i have it so that certain text appears along with pictures. i want the camera to pause momentarily to read what it says and then begin moving to the next set of text/pictures, then stop there for a little while too, then go on to the next one, etc etc.
whats the best way to do this? the pictures/text are NOT in a straight line so making the camera go straight through wont work. one might be directly in front of the camera then i will have made the next set to be directly downward so i want the camera to swoop down there and pause on them, then the next set might be straight up all the way at the top etc. how can i get the camera to move then pause, move then pause over and over where i want it to until the project is over?
sorry if this is a noob question but i have no idea
thanks!!

What version of the studio are you using?
In Motion 3 you could try keyframing the camera move , the zoom layer behavior, or Move behavior.
If you've got Motion 4, try the Camera Framing Behavior.
There are several ways to accomplish what you want to do, it really comes down to what you are most comfortable with.

Similar Messages

  • What is the best way to store data for this project?

    hey everyone,
    I have been subscribed to this for a while, not sure if I have ever actually asked anything though.
    I have a project on the go for myself/portfolio
    It is a booking sheet, where by I have a GUI that has a diary system of a day followed by time slots. This also has a date picker that can change the date of the booking sheet
    I want to be able to store mainly strings and ints,
    I need to be able to store, retrieve and on occasion change some data.
    I was looking at using something called JExcelAPI but I cant get that to work at all, I asked for assistance but was refered to here.
    what would be the best way to implement this data storage?
    davyk

    Hey everyone,
    Back again,
    I got this this little snippet of code working but want to ask you guys for a little bit of help on it. if thats ok?
    try
         Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
         String dataSourceName = "mdbTEST";
         String dbURL = "jdbc:odbc:" + dataSourceName;
         Connection con = DriverManager.getConnection(dbURL, "","");
         // try and create a java.sql.Statement so we can run queries
         Statement s = con.createStatement();
         s.execute("create table TEST1234567 ( column_1 char(27), column_2 char(150), column_3 char(150), column_4 char(150), column_5 char(150), column_6 char(150))"); // create a table
         s.execute("insert into TEST1234567 values('"+date+"','"+a+"','"+b+"','"+c+"','"+d+"','"+e+"',)"); // insert some data into the table
         s.execute("select column_7 from TEST1234567"); // select the data from the table
         ResultSet rs = s.getResultSet(); // get any ResultSet that came from our query
         if (rs != null) // if rs == null, then there is no ResultSet to view
                    while ( rs.next() ) // this will step through our data row-by-row
              /* the next line will get the first column in our current row's ResultSet
              as a String ( getString( columnNumber) ) and output it to the screen */
                   System.out.println("Data from column_2: " + rs.getString(1) );
         s.execute("drop table TEST1234567");
         s.close(); // close the Statement to let the database know we're done with it
         con.close(); // close the Connection to let the database know we're done with it
    catch (Exception err)
         System.out.println("ERROR: " + err);
         err.printStackTrace();
    }there are more columns, but i cut this code down.
    my question is:
    I think I want a method with an if statement to see whether the table is created or not, if not create it, but how do I go about this? I have searched the API and google, but my brain is fried.
    Also do I always have to do the try/catch and have the code of Class.forname to Statement s in all methods that want to deal with the table?
    davy

  • HT1586 What's the best HDMI switcher to use for Apple TV?

    What's the best HDMI switcher to use for Apple TV?  My widescreen TV has only one HDMI outlet and it is in use. 
    Thanks,
    Joanna

    Anyone sold by MONOPRICE.COM are really worth buying!

  • What is the best I/O to use for a MUD?

    What is the best I/O to use for a MUD?
    It seems that people usually show I/O examples with IOs like:
    BufferedReader in = new BufferedReader(new InputStreamReader(socket.getInptuStream()));
    PrintWriter out = new PrintWriter(socket.getOutputStream());
    out.println("Hello World");
    out.flush();
    PrintStream out = new PrintStream(socket.getOutputStream());
    out.println("Hello World");
    out.flush();When I say 'best I/O' I mean, can you give me an I/O that'll be the best if a MUD starts getting LOTS of request and becomes rather busy?
    Thanks!
    -Neo-

    One last question, are output streams thread safe?A stream is inherently serial in the way it data is written to it. If two threads try to write to the same stream asynchronously, the ordering of the data written will not be predictable.
    For example:
    One class is recieving input from a user and
    reply-printing thing like "Command Successful", and
    another class is recieving messages from other users,
    but the PrintWriter would be originally created in the
    first class and then passed as a parameter to the
    second class...would this work, or should I just
    redirect all command replies to that second class?If they are in the same thread, then it could work. If there are separate threads, then some higher granularity synchronization needs to be imposed, so that the second thread doesn't start writing part way through the first's output.
    For example:public class NeoThreadWriter implements Runnable {
      final String name;
      final int delay;
      final boolean synch;
      NeoThreadWriter (String name, int delay, boolean synch) {
        this.name = name;
        this.delay = delay;
        this.synch = synch;
      public void run () {
        if (synch) {
          new Synch().run();
        } else {
          new ASynch().run();
      class Synch implements Runnable { 
        public synchronized void run () {
          synchronized (System.out) {
            for (int i=0; i<6; i++) {
              System.out.println(name+":"+i);
              try {
                Thread.sleep(delay);
              } catch (InterruptedException iex) {
                iex.printStackTrace();
      class ASynch implements Runnable { 
        public synchronized void run () {
          for (int i=0; i<6; i++) {
            System.out.println(name+":"+i);
            try {
              Thread.sleep(delay);
            } catch (InterruptedException iex) {
              iex.printStackTrace();
      public static void main (String[] args) {
        try {
          Thread threadA = new Thread (new NeoThreadWriter ("A", 40, false));
          Thread threadB = new Thread (new NeoThreadWriter ("B", 20, false));
          System.out.println("asynchronous threads");
          threadA.start();
          threadB.start();
          threadA.join();
          threadB.join();
          System.out.println("synchronized threads");
          Thread threadC = new Thread (new NeoThreadWriter ("C", 40, true));
          Thread threadD = new Thread (new NeoThreadWriter ("D", 30, true));
          threadC.start();
          threadD.start();
          threadC.join();
          threadD.join();
          System.out.println("Done");
        } catch (InterruptedException iex) {
          iex.printStackTrace();
    }With asynchronous threads A and B, the output is all mixed up. With synchronized threads the ordering of the output is maintained. Note that the guard has to encompass all of the code that generates the output; simply synchronizing the println invocations wouldn't prevent the mixing.
    Pete

  • What's the best logic reverb to use for trumpets and sax

    what's the best logic reverb to use for trumpets and sax.

    The lower transmit frequency limit is in there to make the device meet FCC regulations.. that is a regulation imposed of US regions and, to a lesser extent, Latin american regions that border with the US.
    In addition, you'll be pleased to know that the N900 will not use certain European WiFi channels if a) the sim card is removed or b) the phone has a sim card but is OUT of 3G coverage.. again, to make the device meet FCC regulations.. (seriously.. when you go out of 3G coverage, the kernel reports it is switching from EU wifi to US wifi!!)
    Let me put this into perspective..
    From: http://www.nokia.com/results/Nokia_results2009Q3e.pdf
    Nokia sold 3.1million handsets in the US 2009 Q3
    Nokia sold 27.1million handsets in Europe during the same period.. That is 9 times as many.
    The USA has its OWN firmware
    and yet ALL versions of the firmware (including the UK specific one) are crippled to meet the requirements of a region that produces the lowest sales figures by a factor of 3 (Latin America produced 9.7 million units in 2009Q3)
    Why the HELL are we suffering because of US restrictions..
    That's like saying you can't use bluetooth because it isn't allowed on the Christmas islands.. (it is allowed.. not picking on you, Christmas Islands, but you are small!)
    If the FCC wants a phone that doesn't allow broadcasts on sub 88Mhz frequences, and doesn't want certain Wifi channels to be used, the ALTER THE US FIRMWARE..
    What next, BMWs have with left hand steering in the UK because the US drives on the Left?
    Phillips TVs that only work on 120V because the US uses 120V..
    I don't give a **** what the FCC say.. I'm not in the US and I have my own european and UK legislation to adhere to..
    For a company that INSISTS on having a billion regional firmware versions, they don't appear to be able to get that right either!!! The UK version lacks UK specific restrictions such as the ability to us UK frequencies for wifi and FM transmission!!
    Crazy and very very irritating

  • What is the best encoding technique to use on video to be imported to iDVD?

    I'm using Premiere Pro CS4 to encode my videos for DVD. I have tried encoding to MPEG2-DVD which creates seperate .M2V/.WAV files but iDVD does not seem to like that format. I have tried .MP4 which works but iDVD gives me rendering errors when burning the project to either DVD media disc or an image.
    So what is the best format that I need to encode my videos with in preparation for a successful iDVD import please?

    OK I encoded several videos in .MOV and they import just fine. Now my next problem is that my project is set at 16:9 widescreen, the videos are encoded to 16:9 widescreen. The project's main menu shows up in 16:9 as does the sub-menus and the thumbnails of the videos in the chapters menu are also showing up as 16:9 aspect. BUT, when I preview the DVD all my movies seem to be showing at 4:3 - the sides of the preview window are grey (where the extra width SHOULD be), and the videos are all stretched vertically due to the 16:9 -> 4:3 that the preview seems to be doing. What's up with this? Is there a way to force all videos imported to actually play in the aspect they were designed or am I doing something wrong?

  • What is the best sound interface to use for the new Imac 27 inch

    I am going to purchase teh new iMac 27 inch and I wanted to know what is the best soundinterface to buy with a price range up to 300 -700 dollars

    Check out the M-Audio website, as well as Amazon for better pricing on M-audio interfaces
    http://www.m-audio.com/index.php?do=products.family&ID=recording

  • What's the best FM frequency to use for the Transm...

    Hi all,
    I'm having difficulty in getting my iPod car kit set up, so I am using my n900 for in car entertainment for the time being.  Problem is that I can't seem to find a clear frequency to set the phone to use, so it doesn't keep picking up other stations whilst I am driving around.
    I have just read that 87.5 is a good choice, as not many stations go that low.  Problem is the n900 won't go that low, as far as I can tell.
    Any suggestions?
    If tnis post is a cure to your issue, please MARK IT AS SOLUTION.
    If this post has helped anyone in any way, PLEASE SHARE YOUR KUDOS, by clicking on the GREEN STAR.

    The lower transmit frequency limit is in there to make the device meet FCC regulations.. that is a regulation imposed of US regions and, to a lesser extent, Latin american regions that border with the US.
    In addition, you'll be pleased to know that the N900 will not use certain European WiFi channels if a) the sim card is removed or b) the phone has a sim card but is OUT of 3G coverage.. again, to make the device meet FCC regulations.. (seriously.. when you go out of 3G coverage, the kernel reports it is switching from EU wifi to US wifi!!)
    Let me put this into perspective..
    From: http://www.nokia.com/results/Nokia_results2009Q3e.pdf
    Nokia sold 3.1million handsets in the US 2009 Q3
    Nokia sold 27.1million handsets in Europe during the same period.. That is 9 times as many.
    The USA has its OWN firmware
    and yet ALL versions of the firmware (including the UK specific one) are crippled to meet the requirements of a region that produces the lowest sales figures by a factor of 3 (Latin America produced 9.7 million units in 2009Q3)
    Why the HELL are we suffering because of US restrictions..
    That's like saying you can't use bluetooth because it isn't allowed on the Christmas islands.. (it is allowed.. not picking on you, Christmas Islands, but you are small!)
    If the FCC wants a phone that doesn't allow broadcasts on sub 88Mhz frequences, and doesn't want certain Wifi channels to be used, the ALTER THE US FIRMWARE..
    What next, BMWs have with left hand steering in the UK because the US drives on the Left?
    Phillips TVs that only work on 120V because the US uses 120V..
    I don't give a **** what the FCC say.. I'm not in the US and I have my own european and UK legislation to adhere to..
    For a company that INSISTS on having a billion regional firmware versions, they don't appear to be able to get that right either!!! The UK version lacks UK specific restrictions such as the ability to us UK frequencies for wifi and FM transmission!!
    Crazy and very very irritating

  • What is the best USB extender to use for an SCXI-1600?

    I have an SCXI-1600 in a SCXI-1001chasis.  I'm using three 1102's and LabView 8.  I want to extend the USB connection about 100 feet, has anyone tried this before? 
    If so, what brand USB extender are you using?

    Hi
    Unfortunately we have not tested which other cables might do the job. Although it is not supported, the VIGOR 1120, has been tested for up to 200 ft; this other cable: USB 2.0 Hi-Speed Cable VE280306 has not been tested with National Insturmens USB boards but it seems it can handle USB 2.0 and 1.1. 
    I hope it helps
    Jaime Hoffiz
    National Instruments
    Product Expert
    Digital Multimeters and LCR Meters

  • What is the best card I can use for my MSI K9A2 CF Motherboard

    I have been trying to read some threads, but I cannot find out any info on what would be the best card for my MSI K9a2 CF ver 1 motherboard. I would like to up grade but I don't want to buy a new system.
    I was thinking about the an Nvidia 460GT 768mb
    MSI K9A2 CF motherboard
    AMD Phenom X4 940
    Corsair XMS 6400 4gb
    Corsair 750 watt power supply

    Quote from: scottyb70 on 20-November-10, 23:21:53
    My question is my Corsair has only one 12v rail at 60 amps. The MSI says it requires two. I don't think my powersupply would be able to handle this card?
     That refers to 2 PCIe 6 pin power connectors not +12V rails on the PSU.
     TX750W~PCI-Express Connector, 4 x 6+2-Pin

  • What is the best frame rate to use for movies watched only on computer scre

    Hello all,
    I'm UK based, and so use the PAL system of 25 fps. This works well enough if I want to make a DVD, but I'm now starting to work on projects that will only ever be seen on You Tube or Mobile Me - that sort of environment.
    A portion of my work features stills, and I prefer to use Photo to Movie for pan, scan, and zoom and rotate - it's much more versatile than Ken Burns in iMovie.
    However, I can't seem to get perfectly smooth pans when viewing on a screen. Depending on whether I use 25 fps or 30 fps, the pan is slightly 'trembly'. I've tried all the codecs, different frame rates etc, but I can't seem to remove this problem. A pan created in iMovie is perfectly smooth. Does anyone know why I can't replicate this in Photo to Movie?
    I'm starting to suspect it isn't really a frame rate issue, but something else - but there my knowledge runs out.
    Can anyone offer advice on this?
    Thanks in advance.

    For Video projects, use the same frame rate as your source material. If your camcorder shoots PAL use PAL. For photos it should not matter.
    I get a whole lot more control over Ken Burns in iMovie. I always thought that iPhoto was just kind of random with no control.
    I guess I'll have to go back and look at it. In iMovie 09 and before, iMovie did not handle vertically oriented photos very well for Ken Burns. This is fixed in iMovie 11.
    Message was edited by: AppleMan1958

  • What is the best Practice JCO Connection Settings for DC  Project

    When multiple users are using the system data is missing from Web Dynpro Screens.  This seems to be due to running out of connections to pull data.
    I have a WebDynpro Project based on component development using DC's.  I have one main DC which uses other DC's as Lookup Windows.  All DC's have their Own Apps.  Also inside the main DC screen, the data is populated from multiple function modules.
    There are about 7 lookup DC Apps accessed by the user
    I have created JCO destinations with following settigns
    Max Pool Size 20
    Max Number of Connections 200
    Before I moved to DC project it was regular Web Dynpro Project with one Application and all lookup windows were inside the same Project.  I never had the issue with the same settings.
    Now may be becuase of DC usage and increase in applications I am running out of connections.
    Has any one faced the problem.  Can anyone suggest the best practice of how to size JCO connections.
    It does not make any sense that just with 15-20 concurrent users I am seeing this issue.
    All lookup components are destroyed after its use and is created manually as needed.  What else can I do to manage connections
    Any advise is greatly appreciated.
    Thanks

    Hi Ravi,
    Try to go through this Blog its very helpful.
    [Web Dynpro Best Practices: How to Configure the JCo Destination Settings|http://www.sdn.sap.com/irj/scn/weblogs;jsessionid=(J2EE3417600)ID2054522350DB01207252403570931395End?blog=/pub/wlg/1216]
    Hope It will help.
    Regards
    Jeetendra

  • What is the best mail app to use for handling graphics?

    I am really struggling with the Mail app on my new Mac. For my work I need to be able to send graphics and hyperlinks in emails so that they appear to the recipient within the email and not as attachments. Thanks to this site I have worked out how to send one picture (ie make it a png or tiff file). However, I can't do what I used to do on my PC with Office / Outlook.  I would produce graphics and text in Word including hyperlinks, copy and paste that directly into my Outlook mail and it would appear in the mail precisely as it did in Word. I could still then edit it within Outlook too - eg change the hyperlink destination - and when I sent it the recipients woudl be able to see it all, click on the hyperlinks, etc.
    With the Mac mail app this doesn't happen. Whatever I create in Word (I haven't had time to learn Pages) appears as a non-editable image, the hyperlinks are not clickable and in order for it to appear within the email and not as an attachment I have to save it first as a PNG which is cumbersome. I was under the impression that Macs were brilliant at graphics but this is taking me hours longer than my old PC.  I'd be really grateful for any advice. Thanks

    There are quite a few email programs available for OS X. A Google search for Email Programs that work on OS X will turn up most all of them. As to which one works best with graphics in sending and recieving emails I'm not sure.

  • What is the best ipad app to use for documents/notes

    Hi
    I really want to use my new ipad at work for note taking at meetings, creating to do lists, actions etc, but most of my colleagues use laptops with MS Office (word mostly).
    Does anyone have any recommendations as to whether I could do this, and if I can which app is best? Of course I want to email my colleagues with my notes so they can read them without losing any formatting I do on the ipad....?
    Help would be appreciated...

    If you're about to email them, take notes right there in the 'compose email' function.  That way you can't lose any formatting !  Otherwise the Notes app isn't bad.
    But if you want proper formatting flexibility then you're possibly best off getting a copy of Pages for iOS.  This has lots of formatting flexibililty and exports to Word format.

  • What is the best preference settings to use for CS5 Suites

    I upgraded my PC a few months back and I'm currently running the CS5 suites.  A few weeks ago I started having issues with the CS5 suites freezing up &amp; in some cases even crashing on me.  I always run Illustrator, Photoshop, Indesign &amp; bridge at the same time, as I'm constantly moving between program on any given project.  What I'd like to know, is if there's an optimum setting to use in the preferences for each program, including bridge to help them run more smoothly &amp; efficiently, without the computer or programs bogging down or crashing on me.  Below is a list of the hardware I'm running, which I've been told is more than enough to run the CS5 suites.  Any information would be greatly appreciated, as I'm starting to get frustrated with the performance.
    Hardware &amp; operating system:
    - Windows 7 service pack 3
    - EVGA X58 FTW3 motherboard
    - i7 960 4-Core CPU
    - GeForce GTX 470 Sli graphics card
    - Corsair Extreme 24 gigs ram
    - 3 TB 7200 RPM hard drive

    Generally speaking, freezing and crashing problems don't have to do with performance configuration settings, and there are fairly few such settings that affect most applications. Video editing software tends to have a bunch, but that doesn't sound like it is pertinent to you.
    Indeed, your hardware sounds far more powerful than you'd need to easily avoid problems based on performance limitations.
    I suspect, then, that each of the problems you are seeing is a seperate unique problem not a result of a configuration choice. It'll need to be debugged carefully with full details, and as close as you can get to a reproducible case as possible.
    In InDesign, about the only settings of relevance are whether Live Screen Drawing is turned on (images resize in realtime when you adjust their bounding boxes), and whether the View > Display Performance setting is set to Typical (the default) or High Quality.
    You could also experiment with disabling Live Preflight.
    You mention running 4 apps at once -- when you do so, are the non-active applications performing computation, or just sitting there idle? For instance, are you executing a complex filter operation in Photoshop at the same time as exporting a PDF in InDesign, all while you are drawing patterns in Illustrator? I assume the answer is Probably Not, in which case it lends strength to the hypothesis that the performance characteristics of your machine are not at issue here.

Maybe you are looking for