Help with tracking. Point or Planar???

I am making a short action sequence for fun and am having extreme difficulty tracking some of the explosions and blood splatter effects in the short.  The main blood splatter I tracked with a point tracker in AECS4 and it's extremely shacky and you can cleary see how fake it is.  So then I looked into it and realized planar tracking with Mocha existed and I can't seem to figure out how to make it work.  This is a link of a RAM preview of what I have with the point tracker. Am I even close to being on the right track? SOMEONE HELP PLEASE!
http://vimeo.com/21179009

> I looked into it and realized planar tracking with Mocha existed and I can't seem to figure out how to make it work.
There are lots of tutorials for using mocha. Start here.

Similar Messages

  • I need help with tracking

    Ok the video that you can see on my youtube is the one I need help with. The video is actually in 1080p and I have no idea why it is showing in such a low resolution, but that is not the problem. I need to track the gun and add a null to that track, after that I want to add a red solid layer and bring down its opacity a little, to simulate a laser sight from the gun.Then I tried to parent and SHIFT parent the red solid to the track, the end product would have to look like what you can see in the picture. I have watched a TON of videos about tracking and just can not the the result I need. the laser needs to follow the gun as I aim up and bring the gun down. How should I do this.......? Please someone help or link me a tutorial that will be helpful.....

    You have a couple of problems. First you don't need to use shift parent, just parent. Second, your red solid is a 3D layer and you have applied 2D tracking info to the solid. Actually, there's another mistake and it is in the tracking. You should also be tracking scale because the gun moves from left to right as well as up and down. This changes the distance between the front and back tracking points.
    My workflow with this project would be:
    Track Motion of the front and back of the gun including position, scale and rotation
    Apply the track info to a null called GunTrack or something like that
    Add a solid and apply the beam effect or mask the red solid to simulate the shape of a laser sight
    Change the blend mode of the solid to ADD
    Move the anchor point to the center of the starting point of the laser
    Parent the solid to the Gun Track null
    That should do it.

  • Help with Null Pointer Exception

    Hi, I am working on a simple menu program. It compiles and works correctly except for one item. I am having a problem with Greying out a menu item...... Specifically, When I press the EDIT / OPTIONS / READONLY is supposed to Greyout the Save and SaveAs options. But, when I do that it displays a Null Pointer Exception error message in the command window.
    Your advice would be much appreciated!
    Now for the code
    /  FileName Menutest.java
    //  Sample Menu
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.event.*;
    public class MenuTest extends JFrame {
       private Action saveAction;
         private Action saveAsAction;
         private JCheckBoxMenuItem readOnlyItem;
       // set up GUI
       public MenuTest()
          super( "Menu Test" );
    //*   file menu and menu items
          // set up File menu and its menu items
          JMenu fileMenu = new JMenu( "File" );
          // set up New menu item
          JMenuItem newItem = fileMenu.add(new TestAction( "New" ));
          // set up Open menu item
          JMenuItem openItem = fileMenu.add(new TestAction( "Open" ));
              //  add seperator bar
              fileMenu.addSeparator();
          // set up Save menu item
          JMenuItem saveItem = fileMenu.add(new TestAction( "Save" ));
          // set up Save As menu item
          JMenuItem saveAsItem = fileMenu.add(new TestAction( "Save As" ));
              //  add seperator bar
              fileMenu.addSeparator();
              // set up Exit menu item
          JMenuItem exitItem = new JMenuItem( "Exit" );
          exitItem.setMnemonic( 'x' );
          fileMenu.add( exitItem );
          exitItem.addActionListener(
             new ActionListener() {  // anonymous inner class
                // terminate application when user clicks exitItem
                public void actionPerformed( ActionEvent event )
                   System.exit( 0 );
             }  // end anonymous inner class
          ); // end call to addActionListener
    //*   Edit menu and menu items
              // set up the Edit menu
              JMenu editMenu = new JMenu( "Edit" );
              //JMenuItem editMenu = new JMenu( "Edit" );
          // set up Cut menu item
          Action cutAction = new TestAction("Cut");
          cutAction.putValue(Action.SMALL_ICON, new ImageIcon("cut.gif"));
          // set up Copy menu item
          Action copyAction = new TestAction("Copy");
          copyAction.putValue(Action.SMALL_ICON, new ImageIcon("copy.gif") );
          // set up Paste menu item
          Action pasteAction = new TestAction("Paste");
          pasteAction.putValue(Action.SMALL_ICON, new ImageIcon("paste.gif") );
              editMenu.add(cutAction);
              editMenu.add(copyAction);
              editMenu.add(pasteAction);
          //  add seperator bar
              editMenu.addSeparator();
              // set up Options menu, and it submenus and items
              JMenu optionsMenu = new JMenu("Options");
              readOnlyItem = new JCheckBoxMenuItem("Read-only");
              readOnlyItem.addActionListener(
                   new ActionListener()
                   {  //  anonymous inner class
                        public void actionPerformed( ActionEvent event)
                          saveAction.setEnabled(!readOnlyItem.isSelected());
                          saveAsAction.setEnabled(!readOnlyItem.isSelected());
                }  // end anonymous inner class
              ); // end call to addActionListener
              optionsMenu.add(readOnlyItem);
              // add seperator bar
              optionsMenu.addSeparator();
              //  Work on Radio Buttons
              ButtonGroup textGroup = new ButtonGroup();
              JRadioButtonMenuItem insertItem = new JRadioButtonMenuItem("Insert");
              insertItem.setSelected(true);
              JRadioButtonMenuItem overTypeItem = new JRadioButtonMenuItem("Overtype");
              textGroup.add(insertItem);
              textGroup.add(overTypeItem);
              optionsMenu.add(insertItem);
              optionsMenu.add(overTypeItem);
              editMenu.add(optionsMenu);
    //*   Help menu and menu items
              // set up the Help menu
              JMenu helpMenu = new JMenu( "Help" );
              helpMenu.setMnemonic( 'H' );
          // set up index menu item
          JMenuItem indexItem = helpMenu.add(new TestAction( "Index" ));
          indexItem.setMnemonic( 'I' );
          helpMenu.add( indexItem );
              // set up About menu item
          JMenuItem aboutItem = new JMenuItem( "About" );
          aboutItem.setMnemonic( 'A' );
          helpMenu.add( aboutItem );
          aboutItem.addActionListener(
             new ActionListener() {  // anonymous inner class
                // display message dialog when user selects Open
                public void actionPerformed( ActionEvent event )
                   JOptionPane.showMessageDialog( MenuTest.this,
                      "This is MenuTest.java \nVersion 1.0 \nMarch 15, 2004",
                      "About", JOptionPane.PLAIN_MESSAGE );
             }  // end anonymous inner class
          ); // end call to addActionListener
          // create menu bar and attach it to MenuTest window
          JMenuBar bar = new JMenuBar();
          setJMenuBar( bar );
          bar.add( fileMenu );
              bar.add( editMenu );
              bar.add( helpMenu );
          setSize( 500, 200 );
          setVisible( true );
       } // end constructor
       public static void main( String args[] )
          MenuTest application = new MenuTest();
          application.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
       // inner class to handle action events from menu items
       private class ItemHandler implements ActionListener {
          // process color and font selections
          public void actionPerformed( ActionEvent event )
           repaint();
          } // end method actionPerformed
       } // end class ItemHandler
       //  Prints to action name to System.out
      class TestAction extends AbstractAction
              public TestAction(String name) { super(name); }
          public void actionPerformed( ActionEvent event )
             System.out.println(getValue(Action.NAME) + " selected." );
       } // end class TestAction
    } // end class MenuTest

    alan, I've been trying to figure out a solution.
    You can initialize it like this
    private Action saveAction= new Action();
         private Action saveAsAction=new Action();
    THE ABOVE WILL NOT WORK.
    because Action is an interface. An interface does not have constructors. However, interface references are used for polymorphic purposes.
    Anyway, all you have to do is find some class that implemets Action interface.... I cant seem to find one. Or maybe this is not how its supposed to be done?
    Hopefully, someone can shed some light on this issue.
    FYI,
    http://java.sun.com/products/jfc/swingdoc-api-1.1/javax/swing/Action.html

  • Help with starting point for "proof of concept" integration

    We are a third party application provider and are attempting to figure out how to do a "proof of concept" integration with SAP.  We are not looking for "certification".  Our product does not appear to fit any of the standard certifications for integration and our experience integrating with other systems indicates that no two integration will be identical.
    We are looking to do a simple integration scenario with an SAP system so we have some basic experience doing it, can say 'Yes" when asked if we have done it, and can create a video showing a transaction being done in SAP and our system also updating (and ideally the reverse).
    Our starting point with respect to SAP knowledge is "0".
    Our basic task list (we think) goes something like
    1.  Figure out the version and modules of SAP with which we should be integrating
    2.  Get access to an SAP system (do we rent, is there a developer/evaluation, ...)
    3.  Put some data in the test system (is there a "sample data" set?)
    4.  Figure out the SAP transactions that map to the business process in which we are interested (moving goods in and out of a distribution center/ware house - are there some "standard business process guides")
    5.  Integrate (we are a .NET web based application so we are guessing this means use the ".Net Connector")
    Could anyone point out any resources (white papers, links, people, places to find people,...) that might be a good starting point?
    Thanks,
    John

    Athol,
    We are looking to recieve notifications out of SAP as tractor trailers at a dock are filled as proof on concept.  The actual integration scenarios we do are more complex and do not match well with any of the pre-packaged certification scenarios.  The real world integration scenarios actual vary substantially from customer to customer in terms of the integration points between systems.
    As we have become more marginally knowledgable about SAP, I think we will end up receiving and sending "IDOC" messages from SAP but have no idea what those IDOC messages are or where to start looking for what a "standard" (if there is one) message SAP would generate in reaction to whatever the "trailer is loaded" transaction is.
    To figure out what the transaction is, I assume we need to identify what version of SAP we should be targeting for a simple integration.  Are there any could references on what the commonly integration methods are and to which versions they apply?
    Something like "hey, if you do an integration with a IDOCs in with SAP Netweaver 2004 then that would good proof you could integrate with 90% of the installed SAP base".  Of course, any links explaining what the versions of SAP are and where they are in there lifecycle and what people are actually using would be helpful.
    John

  • Help with decimal points

    hi,
    I'm trying to add commas, and 2 digit decimal point after a number. Can someone please help me with this small query.
    for example:
    63000 -> $63,000.00
    15000 -> $15,000.00
    2789164.15 -> $2,789,164.15Here is my code:
    select  '$'||ADJSTD_AMT
    from    finance.bud_lines
    where   fyr =2012Thanks in advance

    Rooney wrote:
    hi,
    I'm trying to add commas, and 2 digit decimal point after a number. Can someone please help me with this small query.
    for example:
    63000 -> $63,000.00
    15000 -> $15,000.00
    2789164.15 -> $2,789,164.15Here is my code:
    select  '$'||ADJSTD_AMT
    from    finance.bud_lines
    where   fyr =2012Thanks in advancewhen all else fails Read The Fine Manual
    http://docs.oracle.com/cd/E11882_01/server.112/e26088/functions201.htm#SQLRF06130

  • Help with Track / arrange & mixer relationship

    Sorry for a simple(ish) question.
    I have LP7, my friend has express (he's coming from a pro tools background, i'm from FCP background)
    This is a 2 part question.
    First, I have the Mac Pro video logic 101 videos, and have watched them almost through twice. They answer a few questions, but they are not very complete.
    1. We can't figure out the relationship between the tracks, channels and audio/inst tracks.
    We are unsure what happens when you make a new track. Sometimes I make a new track, change the name, and another track's name changes. I end up with two tracks the same.
    What is the track, channel, instrument relationship?
    2. Why doesn't the track / mix window do the same thing? I hit MUTE, or solo or whatever, on one, and it doesn't show up in the other (same track)
    If someone could tell me where to look in the manual, or a video to buy to explain that aspect of LP7, we'd be happy(er)
    Thanks for the help!
    Bryan

    The mute button in the arrange mutes that track. It stops the regions on that track being processed, and is not instantaneous, as it frees up resources. (Ie if no regions are active, no CPU is used in processing plugins etc - Logic simply stops processing them)
    The mute in the mixer mutes the channel so you can't hear it, but resources are not freed up - any plugins or audio is still being processed by the CPU. Muting is instantaeous.
    So:
    - arrange mute = "stops the stuff on that track being played/processed"
    - mixer mute = "stops that mixer channel being heard"
    You should think of arrange mutes as more of an arragement tool, as it helps determine which regions are going to be played, and the mixer mutes as a mixing tool.
    Think of the situation where you have 10 different vocal takes recorded to different tracks, all being sent to audio channel 1 where your vocal processing plugins live. Arrange mutes determine which of these 10 takes is active. Muting audio channel 1 in the mixer will mute the vocal, whichever track a given section is coming from.
    So, you should be able to see that muting an arrange track is a different function to muting a mixer channel.
    Does that help?

  • Dual layer DVD, help with break point

    after reading alot of the previous posts on setting a dual layer break point, it seems the best way is to find the general area of where one thinks the break should be and then put in several markers in that area. My question is what type of markers to put in (ie. chapter, button highlights, dual layer break point)? Should i be able to put more than one Dual Layer break point? DVDSP is only allowing me to set ONE Layer Break Point out of the several points that i put in the area i think that the layer break should be, am i doing something wrong? Also, to avoid this whole trial and error process, can i simply do my "build" without any markers/break points and then burn the VIDEO_TS folder in Toast and let Toast find the break point? By the way, this disk will be replicated in case anyone forsees any problems with Eclipse, thanks for any help!

    If after building only one marker is black (not gray) it is the only legit marker and why it is limited. The layer break will be on the DLT where it is set
    I had one project that took quite awhile to find a place to put the marker to get a legal DL break point
    http://discussions.apple.com/thread.jspa?messageID=4032103&#4032103

  • Need Help with Cue Points/Custome Code

    So I've figured out that videos with a playback component need cue points in order to set up all the interactivity I want to use. The only way to make animated graphics, interactive graphs and text is to apparently create custom code, which I no zip about.
    Should I hire someone to do that for me? I was thinking elance, but does anyone have any suggestions on how to make an interactive video other ways (or cheaper)ways.
    p.s
    how much do you think I should charge for that:)?

    My advice... start with a very simple "proof of concept" project before you attempt the entire package.
    It will be much easier to scale up if you first have a very good understanding of what's going on.
    So one simple video with just one cuepoint and only one button and additional display. You'll also have to work out the interaction of pausing the video when a cuepoint is reached or button pushed to display the graph, giving the viewer time to read the graph... then when the viewer closes the graph, the video should "resume".
    Start very simple and build on that only after you understand the fundamentals.
    Second, you mention "video reports"... plural. So that most likely means that you will need a video player with a "playlist".
    This may mean that you'll need to learn to use a little .xml to bring in the playlist data. You may also find xml an excellant way to bring other data into you project.
    At the link listed above there is an excellant tutorial on "Integrating Flash and XML"
    "Flash and XML"
    "XML Video Playlist"
    "ActionScript 3 XML Basics"
    "ActionScript 3 Advanced XML"
    Personally I would not even begin a project like this without considering how I could use xml to feed data into the project.
    Here's an example of a video player I created that has a playlist, thumbnails, categories, transcipts, "Now Playing" etc. All that data comes into the main .swf via various xml files. Super good way in input data into Flash.
    http://www.drheimer.com/video/
    Yours is a rather ambitious project and will take awhile to gain the skill and assemble the pieces. So when you come to a new part... first create a real simple "proof of concept" model so you can learn how that section works. Don't expect to be able to assemble the entire project all at once.
    Best wishes,
    Adninjastrator

  • Help with tracking my phone

    My iPhone 4s was stolen from me today in the post offfice. I dont have the find my phone ap as I dont go out that often being disabled. I noticed it was missing within 5 minutes and called it from a shop phone, It went to voicemail. EE blocked it for me and I do have a 4 digit passcode on it. I have the latest version of ios7 as someone said this may help.
    All my family photo's are on there including ones of my recently deceased grandad which im deverstated about.
    My mac book pro seems to think it knows my phone as I've tried the find my phone app on it but it says its offline. Is there anyway I can trace it?

    The Find My iPhone app has nothing to do with this. The Find My iPhone app can be used by you to locate another iOS device you own or your Mac using your iPhone, or someone else that lost their iPhone or iOS device can use the app on your iPhone to locate their iPhone or iOS device.
    Having Find My iPhone enabled with your iCloud account settings on the iPhone determines if you can locate your iPhone with Find My iPhone with the app on another iOS device or by logging in with your iCloud account with a browser on your computer.
    If the iPhone is powered off, it can't be located with Find My iPhone.

  • Need help with power point program

    I need an app that will allow me to use a power point presentation that links between several .ppt files.

    Keynotes does not allow a presentation to link to another presentation(unless I missed some think)
    Just got quickoffice and having the same issue

  • Help with Multi point chart plot hile using the waveform data type..

    Currently I have two channels being transfered into the AI C-Scan block (by means of a build array) in hopes to display the outputs on a chart as well as an output file. As an outout I am using the waveform data type, as I hear this is the way to go. Problem is that I have the the Waveform chart directly connected to the waveform out put the the AI C-SCAN block but nothing is being displayed on the chart. Although the time is updated on the chart it is listed as the year 1903. I do have data these channels as the there are digital outputs for these channels. Perhaps I should use the AI CONFIG and AI READ clocks rather than this AI C-SCAN. Any ideas...

    Christian,
    Please see the Real-Time Chart shipping example for LabVIEW. This example describes how to set the base time of the chart so that the time and date are correct.
    You may want to autoscale the Y-axis as your data may be out of range of your chart and that is why nothing is seen.
    Randy Hoskin
    Applications Engineer
    National Instruments
    http://www.ni.com/ask

  • Help on T61 ABOUT track point and touchpad!

    Anyone encountered this problem!
    I use the os UBUNTU on my T61 lenovo for  almost 1year and its work with
    the mouse meaning no problem!
    Now I just reformat it into windows XP now the trackpoint and touchpad left button wont work but the right button
    working! I already use my original recovery and it not working to!
    But when I disable my touchpad button and enable the trackpoint it work
    the track point work only if o disable the touchpad!
    Even the touchpad wont work in double click only the right click is working
    but when I use UBUNTU software both mouse are working!
    I already reset the cmos!
    Anyone can't answer this pls help!
    Thank you

    I already boot in dos mode and even in thinkpad recovery explorer the mouse left buttons wont work
    meaning if I use Microsoft software the mouse left buttons wont work
    but in UBUNTU or LINUX  both mouse working well
    HELp plus

  • Line with endpoints following tracked points

    I have a video with two points that have been motion tracked.
    I want to create a line connecting these two points, with the endpoints of the line moving to match the tracked points as they move.
    Is there an easy way to do this?

    The usual suspects have an excellent tutorial for that:
    http://youtu.be/Kaj969r7t9I
    MacBreak Studio: Episode 238 - Tracking Points in Motion
    The tut is about three points, but I'm sure, it works with two too....

  • HT204318 Copied my iTunes from my Mac to my Windows 7 laptop, now there are thousands of songs missing on the Windows copy with the exclamation point. everything shows up, playlists and tracks, there are just a bunch of songs with exclamation points. how

    Copied my iTunes from my Mac to my Windows 7 laptop, now there are thousands of songs missing on the Windows copy with the exclamation point. everything shows up, playlists and tracks, there are just a bunch of songs with exclamation points. how can i properly sync my iTunes from my Mac to my PC? using iTunes

    nope all my songs are copied and organized into the iTunes library.

  • Hello, I have created a distribution kit for my program.The problem is that the when the program is installed onto another computer, it fails to communicate with field point (Using FP-AO-200 and FP-AO-1000). Help is greatly appreciated, Thanks faen9901

    Hi Everyone,
    I have a program that sends information(analog output) to lab windows cvi in the form of a text file or user input.
    The program runs on the computers that I have the field point explorer and lab windows cvi installed on. In order to run the program without always installing labwindows/cvi and field point; I wanted to create an executable file that could be load on another computer.
    I used the create distribution kit part of labwindows/cvi to do this.After creating the distribution kit, I then installed it
    to another computer.
    My user interface appears on the screen, when the user clicks on the exe. file, but no data is sent to the field point module. I know that the data is being read from the user and textfile because in it appears in the uir.
    The following are some details about the problem:
    1. On another computer without labwindows/cvi and field point explorer not installed - no data is sent to field point module
    I know this because a current is being read on the current meter connected to field point module.
    My questions are the following:
    1. What are the possible reasons for the data not being sent to the field point module?
    2. Do I still need to create an iak. (Installing Field point Explorer) file stored on any new computer that I install my created distribution kit file too?
    Thankyou very much for any help that you can provide. I greatly appreciate it.
    Faen9901

    Re: Hello, I have created a distribution kit for my program.The problem is that the when the program is installed onto another computer, it fails to communicate with field point (Using FP-AO-200 and FP-AO-1000). Help is greatly appreciated, Thanks faen9901Faen9901,
    1) If you do not install FieldPoint Explorer, the FieldPoint Server is not installed so there is nothing on the target computer that knows how to talk to the FieldPoint system.
    2) Yes, you need an IAK file on the target computer. Assuming the settings (i.e. com port#) are identical you can simply include the iak file as part of the distribution.
    3) You also need to include as part of your installer the file "fplwmgr.dll". If this file is not installed, your program will not be able to access the FieldPoint Server. Alternatively, this file is installed automatically if FieldPoint Explorer detects LabWindows/CVI or Measurement Studio Development versions on the target computer or if you choose to do a custom FieldPoint Explorer installation and
    choose to provide LabWindows/CVI support.
    Regards,
    Aaron

Maybe you are looking for

  • Mac not always managing to boot completely

    Hi I have had a read around these boards and found several problems like this, but i have know idea what causes it (or how to fix it). I have a Mac Mini, 1.8Gz Intel Core Duo, 1GB memory computer. I use an Airport connection for the internet and use

  • Mac formatted Seagate 3 terrabye usb 3.0 can't be viewed in Windows 8

    I need my data off my hard drive.  I had a Macbook pro that was stolen from a cafe.  I have a backup Seagate drive.  I guess Windows 8 can't pull up the terrabyte drive.  I have tried HFSExplorer and Macdrive. I also tried Windows 7.  They sometimes

  • Iphoto jumbled after importing from dropbox

    I have a macbook air OSX 10.9.3 iphoto 9.5.1 dropbox (up to date)(2.8 GB) i have iphoto syncing with my dropbox, and camera uploads on for dropbox my dropbox was full, so i went online and deleted the photos that were duplicates later, i went on my i

  • When will updated firmware for the WRT600N be available.

    Since the IEEE has approved the 802.11N standard, we should expect updated firmware supporting the approved standard. Any guess when?

  • How to erase protected files from Dustbin that remain after emptying

    Hey I find myself contronted with some rubbish in my dustbin that is so well protected that it cannot be erased. It remains in my dustbin even after I emtyed it. Is there a way to get rid of this rubbish and get my dutbin emty. How can I open the pro