Listening for mouse move from JFrame?

Hi
I'm facing a problem when I wanted to use the JFrame's method: addMouseListener( ) to listening for the mouse whether it moves from a JFrame.
In my code the JFrame containts three components:
public class NFrame extends JFrame{
JPanel contentPane = (JPanel)super.getContentPane();
contentPane.setLayout(new BorderLayout());
JMenuBar jMenubar=new jMenuBar();
JTabbedPane jTabPane=new JTabbedPane(JTabbedPane.LEFT,JTabbedPane.WRAP_TAB_LAYOUT);
JPanel bottonPane=new JPanel();
contentPane.add(jMenuBar,BorderLayout.NORTH);
contentPane.add(jTabPane,BorderLayout.CENTER);
contentPane.add(bottomPane,BorderLayout.SOUTH);
addMouseListener(new MouseAdapter() {
public void mouseExited(MouseEvent e) {
System.out.println("Mouse remove from JFrame");
Because the JTabbedPane has a default mouse Listener, thus the mouse event is caught by jTabPane and the application does not print the above message when mouse moves from jTabPane.
Could anybody give me some hints?
Thanks!

In this case there should probably not be a sleep()
at all. You might want to do that sort of thing when
you have a new thread whose job is to have
non-GUI-related functionality (like a clock ticking,
or sprites moving in a game independently). For
standard GUI interaction, the GUI thread takes care
of things and you don't need to wait at all. You're
already waiting, basically.Oh, I see! The OP is doing quite useless things!
I didn't see such f**lish things in the past!
The OP should learn the basics for GUI and event mechanism.
http://java.sun.com/docs/books/tutorial/uiswing/

Similar Messages

  • How to set mouse listener for title bar of JFrame ?

    Hi, all
    How to we can set mouse listener for title bar of JFrame ?
    Please help

    Again, why did you not state this in your original
    question? Do we have to ask you every time what your
    actual requirement is?
    As I said in your last posting, if you don't give us
    the reuqirement in you question we can't help you.
    Sometimes your solution may be on the right track
    sometimes it isn't. We waste time guessing what your
    are trying to do if you don't give us the
    requirement.
    I gave you the answer in your other posting on this
    topic. The AWTEventListener can listen to events
    other than MouseEvents.
    The Swing tutorial has a list of most of the events.
    Pick the events you want to listen for:
    http://java.sun.com/docs/books/tutorial/uiswing/events
    /handling.htmlthe first, i am sory because my requirement not clear so that it wasted everybody time.
    The second, thank for your answer
    The third, AWTEvenListener do not support listener event on title bar
    but ComponentListener can know when we can change frame position.
    please see below that ComponentListener can handle action:
    public void componentHidden(ComponentEvent e) {
            displayMessage(e.getComponent().getClass().getName() + " --- Hidden");
        public void componentMoved(ComponentEvent e) {
            displayMessage(e.getComponent().getClass().getName() + " --- Moved");
        public void componentResized(ComponentEvent e) {
            displayMessage(e.getComponent().getClass().getName() + " --- Resized ");           
        public void componentShown(ComponentEvent e) {
            displayMessage(e.getComponent().getClass().getName() + " --- Shown");
        }Thanks for all supported your knowledge, you are great !

  • Multiple Buttons in JTable Headers:  Listening for Mouse Clicks

    I am writing a table which has table headers that contain multiple buttons. For the header cells, I am using a custom cell renderer which extends JPanel. A JLabel and JButtons are added to the JPanel.
    Unfortunately, the buttons do not do anything. (Clicking in the area of a button doesn't appear to have any effect; the button doesn't appear to be pressed.)
    Looking through the archives, I read a suggestion that the way to solve this problem is to listen for mouse clicks on the table header and then determine whether the mouse clicks fall in the area of the button. However, I cannot seem to get coordinates for the button that match the coordinates I see for mouse clicks.
    The coordinates for mouse clicks seem to be relative to the top left corner of the table header (which would match the specification for mouse listeners). I haven't figured out how to get corresponding coordinates for the button. The coordinates returned by JButton.getBounds() seem to be relative to the top left corner of the panel. I hoped I could just add those to the coordinates for the panel to get coordinates relative to the table header, but JPanel.getBounds() gives me negative numbers for x and y (?!?). JPanel.getLocation() gives me the same negative numbers. When I tried JPanel.getLocationOnScreen(), I get an IllegalComponentStateException:
    Exception in thread "AWT-EventQueue-0" java.awt.IllegalComponentStateException: component must be showing on the screen to determine its location
    Can someone tell me how to get coordinates for the button on the JTableHeader? Or is there an easier way to do this (some way to make the buttons actually work so I can just use an ActionListener like I normally would)?
    Here is relevant code:
    public class MyTableHeaderRenderer extends JPanel implements TableCellRenderer {
    public MyTableHeaderRenderer() {
      setOpaque(true);
      // ... set colors...
      setBorder(UIManager.getBorder("TableHeader.cellBorder"));
      setLayout(new FlowLayout(FlowLayout.LEADING));
      setAlignmentY(Component.CENTER_ALIGNMENT);
    public Component getTableCellRendererComponent(JTable table,
                                                     Object value,
                                                     boolean isSelected,
                                                     boolean hasFocus,
                                                     int row,
                                                     int column){
      if (table != null){
        removeAll();
        String valueString = (value == null) ? "" : value.toString();
        add(new JLabel(valueString));
        Insets zeroInsets = new Insets(0, 0, 0, 0);
        final JButton sortAscendingButton = new JButton("1");
        sortAscendingButton.setMargin(zeroInsets);
        table.getTableHeader().addMouseListener(new MouseAdapter(){
          public void mouseClicked(MouseEvent e) {
            Rectangle buttonBounds = sortAscendingButton.getBounds();
            Rectangle panelBounds = MyTableHeaderRenderer.this.getBounds();
            System.out.println(Revising based on (" + panelBounds.x + ", "
                               + panelBounds.y + ")...");
            buttonBounds.translate(panelBounds.x, panelBounds.y);
            if (buttonBounds.contains(e.getX(), e.getY())){  // The click was on this button.
              System.out.println("Calling sortAscending...");
              ((MyTableModel) table.getModel()).sortAscending(column);
            else{
              System.out.println("(" + e.getX() + ", " + e.getY() + ") is not within "
                                 + sortAscendingButton.getBounds() + " [ revised to " + buttonBounds + "].");
        sortAscendingButton.setEnabled(true);
        add(sortAscendingButton);
        JButton button2 = new JButton("2");
        button2.setMargin(zeroInsets);
        add(button2);
        //etc
      return this;
    }

    I found a solution to this: It's the getHeaderRect method in class JTableHeader.
    table.getTableHeader().addMouseListener(new MouseAdapter(){
      public void mouseClicked(MouseEvent e) {
        Rectangle panelBounds = table.getTableHeader().getHeaderRect(column);
        Rectangle buttonBounds = sortAscendingButton.getBounds();
        buttonBounds.translate(panelBounds.x, panelBounds.y);
        if (buttonBounds.contains(e.getX(), e.getY()) && processedEvents.add(e)){  // The click was on this button.
          ((MyTableModel) table.getModel()).sortAscending(column);
    });

  • HT201272 Can you access paid for apps/movies from iTunes on another device if you have not synced? I need to delete movies from my iPad to make space but don't want to forfeit the purchase as have not synced movies to another device yet.

    Can you access paid for apps/movies from iTunes on another device if you have not synced? I purchased movies on my new iPad, but need to delete some off as have no space left. I have not synced the movies I have purchased on my iPad to any other devices as yet and want to know if I can retrieve the movies from iTunes later if I removed them now without syncing first? I do not want to forfeit my purchases.. Please help!

    Welcome to the Apple Community.
    You can re-download content purchased from the iTunes store (availability varies depending on location) using the purchased option from the Quick Links section in the top right corner of the iTunes homepage in your iTunes application on your computer.
    You can re-download content purchased from the iTunes store (availability varies depending on location) using the purchased option which is revealed in the iTunes app on your iOS device by tapping the more button at the bottom of the screen.
    If the problem re-occurs, select the content which is causing a problem and use the 'Report a problem' button in Your Purchase History using your computer.
    Try deleting the problematic book (electing to remove original file if/when prompted) and then re-downloading the file from the iBook store.
    You can re-download content purchased from the iBook store (availability varies depending on location) using the purchased option from the Quick Links section in the top right corner of the iTunes homepage in your iTunes application on your computer.
    You can re-download content purchased from the iBook store (availability varies depending on location) using the purchased option at the bottom of the screen after you tap the store button in the top corner of the iBook app on your iOS device.
    If the problem re-occurs, select the content which is causing a problem and use the 'Report a problem' button in Your Purchase History using your computer.
    You can re-download content purchased from the app store using the purchased option from the Quick Links section in the top right corner of the iTunes homepage in your iTunes application on your computer.
    You can re-download content purchased from the app store using the purchased option which is revealed by tapping the updates option at the bottom of the screen of the App store app on your iOS device.
    If the problem re-occurs, select the content which is causing a problem and use the 'Report a problem' button in Your Purchase History using your computer.

  • Listening for keyPressed events from background?

    Is it possible to have a java program running in the background and listen for keyPressed events? I would like for the program to listen for certain keys to be pressed and when they are manipulate the mouse. From what I've looked at so far however it seems the listening component must have focus. Thanks.

    On any OS that would typically involve hooking into the OS itself.
    And then manipulating OS resources as well.
    Putting an app into the 'background' is also OS specific.
    Given that the above is all you want to do then java is not an appropriate language choice. C++ would be better.

  • How do I overcome the Failed Downloads for Instant Movies from the Adobe Server?

    I have a Windows 8.1 PC , Premiere Elements ver. 12, and I have a  dedicated DSL for computer only. In my best efforts, even when disabling  McAfee completely, I have had almost 4 days of frustration trying to  download an Instant Movie from the online content server. At times the  DL works, slowly, then it pauses, sometimes the DL reverses the count  and I lose 10mb and it resumes (I have never seen that before). Most  frustrating is when the DL is nearly complete and the message pops up  that I need to check my connection as the download has failed. I have  1.6TB disc space, and no restrictions in place at my end. I tried from 2  of the PCs, both Win 8.1. I have tried at all hours of the day for  traffic on the server, but that doesn't seem to matter. I have attempted the Secret Agent file DL at best 10x.  Is there a  setting I need to change to receive this content, or go to a different  site where I can directly access this content?
    I have purchased Three PE 12 programs for 3 replacement PCs and I need some real direction.
    Thank you, Jerry

    Jerry W B
    There will be those that report Content download of a few minutes. Although we are happy for them, many have found that this is not usually the case. Download of the Premiere Elements 11 and 12 Content download is often a slow process which demands a lot of patience whether the download be "Download Now" or "Download All".  Just two of the factors in this situation are the Internet Speed/Status and the status of the Adobe Server. Many times it is time of the day.
    http://www.atr935.blogspot.com/2013/05/pe11-no-content-disc-content-downloads.html
    http://atr935.blogspot.com/2013/12/pe12-content-download-considerations.html
    I have DSL Service on the east coast of the USA. It is now about 6 pm Saturday February 22, 2014.
    I right clicked the blue ban at the top right corner of the Instant Movie thumbnail for the Secret Agent theme. I selected Download Now to download just that one Instant Movie theme.
    a. The file size was given as 75.8 MB, not 118.7 MB. It took 11 minutes and 19 seconds to download that Instant Movie.
    I checked the download on two different computers, one Windows 7 64 bit and the other Windows 8.1 64 bit. The Instant Movie Secret Agent had a file size of 75.8 MB according to the download pop up in the opened project.
    b. If you are talking days for this download, then I would first check with your Internet provider. There is no other place for these downloads except from within the program. And, when you do get them, I would encourage you to save them as per my blog posts on this topic to avoid having to go through an labored downloading processes again.
    Do you find the downloading of Content to be the same for all the other categories requiring this type of download, not just Instant Movies?
    Please review and update us on your progress.
    Thank you.
    ATR
    Add On...Although you did say that you disabled McAfee, be advised that McAfee's recent update(s) have created some serious problems for Premiere Elements. So, I would re-evaluate McAfee's possible role in all this along with the firewalls settings.

  • DVD/BD Quality Tradeoff for source movie from SVHS

    I imported a 2.5 GB MP4 home movie into Elements 12 on my Mac.  The original source was a SVHS home movie from over 10 years ago.  I had encoded it to MP4 using a third party application/cable.  I did no editing in PE, just had it add the automatic chapter breaks every 10 minutes.  I have a DVD/BD burner attached to the Mac.  I selected Share -> DVD.  The popup window gave me an option to adjust the quality (slider).  I could vary it from the lowest (somewhere around 2 GB) to the highest (8+ GB).  I chose 4.2 GB (the most that it would let me fit on the DVD).
    My question is this....is it worth burning it at the higher encoding rate onto bluray?   I have Bluray disks, so I could burn it at the higher encoding rate.  But given that the original MP4 file was 2.5 GB, going to an 8+ GB file seems just like extra bytes of noise....and when you consider that the original source was SVHS, seems like it would add little value....just longer burn time.
    BTW, thanks Adobe ...Encoding the 2 hr video took just over 10 minutes.
    Thanks in advance for any suggestions from the experts.....I plan on burning the same thing to BD tonight, but I don't know that I would know enough to notice any artifacts.

    AFM21
    What is the frame size and frame rate of this .mp4 that had its origins in S VHS? If you have 720 x 480 NTSC or 720 x 576 PAL, taking that to Blu-ray (1920 x 1080) is likely a not so good idea, pixelation expected??
    I am coming from a Windows perspective; nonetheless, Premiee Elements Windows and Mac basic operations are essentially the same.
    1. We need to define the properties of the video that you imported into Premiere Elements. Based on that, we need to make sure that we or the program are setting the project preset to match the properties of that source media.
    2. When you get to Publish+Share/Disc/DVD disc, you want to be working with a check mark next to Fit Content to Available Space. The only time I would leave that option unchecked is if I were getting a data rate error message and was forced to set the bitrate lower to a value that will allow me to continue The maximum bitrate is 8.00 Mbps (megabits per second). With the option checked, the program automatically lowers the bitrate, when necessary, from 8.00 downward to allow the fit. With your manual bitrate, I am not sure what you set since there is no bitrate 4.2 GB, possibily 4.2 Mbps?? And, if 4.2 Mbps, that low value would compromise the quality of your results.
    a. When you got to the burn dialog and, if you had a check mark next to "Fit Content to Available Space", what did the burn dialog Quality Area show for Space Required and Bitrate?
    b. What did you select as the preset? If your .mp4 footage was 4:3, did you select NTSC or PAL Dolby DVD; if you .mp4 footage was 16:9, did you select NTSC or PAL_Widescreen Dolby DVD?
    Let us start by sorting out the basic information. With that we can better plan workflow strategy.
    Thank you.
    ATR

  • How do we verify payment info for iTunes movies from our computer

    we have tried numerous times to verify.
    Nowhere is there a verify button to be found
    when we try to rent a movie we keep getting the verify on your computer request for our billing info?
    we have been renting movies forever and did so just six days ago now we get this vierify request that seems impossible to get rid of.
    any suggestions besides going to acoount on iTunes store and reloading all billing and shipping info as we have done that ten times already

    iTunes does not have provision for automatically storing one kind of media on a separate drive, so you have some basic decisions to make first.  Do you want these movies to still appear in your iTunes library, or are you content with browsing filenames on a drive in Finder when you want to look for one?  The second's the easiest thing because then you don't have to have an external drive permanently turned on and attached to your computer (wired or wireless).  To do that you literelly only need to drag your movies folder to an archive drive and delete movies from iTunes.  To watch them again you can add it back to iTunes while holding down the option key so the movie is used from its location on the external drive.
    There's ways to move the movies to an external drive while keeping them in iTunes but the external drive iwll always have to be turned on and connected to the computer or you will see a bunch of broken link exclamation marks.
    Realize what you are talking about is not "backup".  Backup (which you should do) is putting a second or more copy of items on external drives for the day when your internal drive fails and everything on it is lost, inclduing all your home photos and perhaps things that have been pulled from the iTunes Store and can no longer be re-downloaded.

  • Help for Mouse movement triggers

    Hello, All,
    I try to use mouse movement triggers (When_Mounse_Enter, When_mouse_Leave, and Whwn_Mouse_move) at form level (block level and item level) in a form, but all of these trigger do not work. It seems like all of them can not be fired.
    Anyone can help me? Thanks a lot!
    John

    Hi, Surendra and Grant,
    Thank both of you for help!
    I am tring to learn Form Developer. The database and developer suites are installed in one PC. I don't think I am working in web environment.
    Except the Mouse Movement Triggers, other mouse trigger work well, such as when_mouse_click, when_mouse_doubleclick.
    Any help is very much appreciated.
    John

  • Will this cable work for watching movies from my laptop in my HDTV?

    Does anyone know if this works, I want to use a Mini DisplayPort to HDMI cable http://bit.ly/6BT6W3 to connect my MacBook Pro to my Sony LCD HDTV via HDMI to watch movies from my laptop in my TV? I read that there were problems with the audio using the Mini DisplayPort to HDMI adapter.

    Elmerf1:
    http://www.monoprice.com/products/product.asp?cid=104&cp_id=10428&cs_id=1042802&pid=5969&seq=1&format=2
    or this one:
    http://www.monoprice.com/products/product.asp?cid=104&cp_id=10428&cs_id=1042802&pid=6331&seq=1&format=2
    They both work really well.

  • Dispatching & listening for custom events from custom component [Flex 4.1]

    I'm giving this a try for the first time and I'm not sure I have the recipe correct!
    I have a custom component - it contains a data grid where I want to double click a row and dispatch an event that a row has been chosen.
    I created a custom event
    package oss
        import flash.events.Event;
        public class PersonChosenEvent extends Event
            public function PersonChosenEvent(type:String, bubbles:Boolean=false, cancelable:Boolean=false)
                super(type, bubbles, cancelable);
            // Define static constant.
            public static const PERSON_CHOSEN:String = "personChosen";
            // Define a public variable to hold the state of the enable property.
            public var isEnabled:Boolean;
            // Override the inherited clone() method.
            override public function clone():Event {
                return new PersonChosenEvent(type);
    Then I try to dispatch the event within the component when the datagrid is doubleclicked:
    import oss.PersonChosenEvent
    dispatchEvent(new PersonChosenEvent(PersonChosenEvent.PERSON_CHOSEN, true, false));
    And in the parent application containing the component I do on creationComplete
    addEventListener(PersonChosenEvent.PERSON_CHOSEN,addPersonToList);
    The event does not seem to fire though. And if I try to evaluate the "new PersonChosenEvent(..." code it tells me "no such variable".
    What am I doing wrong?
    (It was so easy in VisualAge for Java, what have we done in the last 10 years?? )
    Martin

    I've done this kind of thing routinely, when I want to add information to the event.  I never code the "clone" method at all.
    Be sure that you are listening to the event on a parent of the dispatching component.
    You can also have the dispatching component listen for the event too, and use trace() to get a debug message.
    I doubt if it has anything to to with "bubbles" since the default is true.
    Sample code
    In a child (BorderContainer)
    dispatchEvent(new ActivationEvent(ActivationEvent.CREATION_COMPLETE,null,window));
    In the container parent (BorderContainer)
    activation.addEventListener(ActivationEvent.CREATION_COMPLETE,activationEvent);
    package components.events
        import components.containers.SemanticWindow;
        import components.triples.SemanticActivation;
        import flash.events.Event;
        public class ActivationEvent extends Event
            public static const LOADED:String = "ActivationEvent: loaded";
            public static const CREATION_COMPLETE:String = "ActivationEvent: creation complete";
            public static const RELOADED:String = "ActivationEvent: reloaded";
            public static const LEFT_SIDE:String = "ActivationEvent: left side";
            public static const RIGHT_SIDE:String = "ActivationEvent: right side";
            private var _activation:SemanticActivation;
            private var _window:SemanticWindow;
            public function ActivationEvent(type:String, activation:SemanticActivation, window:SemanticWindow)
                super(type);
                _activation = activation;
                _window = window
            public function get activation():SemanticActivation {
                return _activation;
            public function get window():SemanticWindow{
                return _window;

  • Xorg freeze when my mouse moves from one screen to another :/

    Hello,
    I have a computer with two graphics cards nvidia:
    - GeForce 7300 SE/7200 GS on a PCI Express port
    - GeForce FX 5200 sur on a PCI port
    I use 3 screens:
    - 2 on PCI Express card, one on the DVI port and one on the VGA port
    - 1 on the VGA port of the PCI card
    I configured my BIOS for my motherboard that has an integrated chip to boot the PCI Express card. I configured my xorg.conf to have a TwinView display mode on my two screens of the PCI Express card and to have the screen on the PCI card separately.
    1 week ago my setup worked great, no worries. Since I rebooted my PC, when I slide my mouse from the PCI Express screens to the PCI screen my xorg freeze and I can't switch to a console with ctrl + alt + F1. My PC is still available in SSH but can't kill the Xorg process with a kill -9. I had to make 2 / 3 update between two reboot, I think it must come from there: surely a problem with a kernel update  or nvidia driver update ...
    Here I am lost, I do not know what to do to rectify the situation. If someone has an idea ... I'm taker
    The only mistakes I saw in log that could be related:
    error.log - kernel: pci 0000:04:05.0: BAR 6: address space collision on of device [0xfd000000-0xfd01ffff]
    log xorg
    Call Trace:
    [<ffffffff81254723>] ? vga_get+0x113/0x170
    [<ffffffff8104e1e0>] ? default_wake_function+0x0/0x20
    [<ffffffff812549b0>] ? vga_arb_write+0x230/0x510
    [<ffffffff81114dd8>] ? vfs_write+0xb8/0x1a0
    [<ffffffff81114fae>] ? sys_write+0x4e/0x90
    [<ffffffff81012ecb>] ? device_not_available+0x1b/0x20
    [<ffffffff81012082>] ? system_call_fastpath+0x16/0x1b
    INFO: task X:1552 blocked for more than 120 seconds.
    "echo 0 > /proc/sys/kernel/hung_task_timeout_secs" disables this message.
    X D ffff88007f733c30 0 1552 1 0x00400004
    ffff88007f733c30 0000000000000086 ffff88007e03bdb8 ffff88007100383f
    ffffffff8141f589 ffffffff8141f587 ffff88007eb00d60 ffff88007e03a000
    ffff88007f733ed8 000000000000f908 ffff88007f733ed8 ffff88007e03a000
    Call Trace:
    [<ffffffff81254723>] ? vga_get+0x113/0x170
    [<ffffffff8104e1e0>] ? default_wake_function+0x0/0x20
    [<ffffffff812549b0>] ? vga_arb_write+0x230/0x510
    [<ffffffff81114dd8>] ? vfs_write+0xb8/0x1a0
    [<ffffffff81114fae>] ? sys_write+0x4e/0x90
    [<ffffffff81012ecb>] ? device_not_available+0x1b/0x20
    [<ffffffff81012082>] ? system_call_fastpath+0x16/0x1b
    Thanks in advance.

    I'm suddenly having the same problem. Find a cure yet?

  • ATV1 working / ATV2 doesn't for renting movies from iTunes

    I've had ATV1 working for years on my wireless network at home. No broadband issues. Rent a movie, 3 minutes later, watching it in HD. With my new ATV2, on the same network, it says it needs 40+ hours to download the movie and it's never been successful with a full download
    Help.
    Thanks in advance
    Subhash

    Welcome to the Apple Community.
    Intermittent problems are often a result of interference. Interference can be caused by other networks in the neighbourhood or from household electrical items.
    You can download and install iStumbler (NetStumbler for windows users) to help you see which channels are used by neighbouring networks so that you can avoid them, but iStumbler will not see household items.
    Refer to your router manual for instructions on changing your wifi channel.

  • Work around for streaming movies from time capsules/attached external HD

    Can someone tell me how you can stream movies to iPhone/iPad/ATV3 from external HD attached to time capsule via an app or other method ?

    This is just a general comment.. There are no apps for TC.. it is not a media player, so it cannot stream to anything.. if you store media files on the TC there has to be a player.. So you have to use a computer.. or possibly the ipad.. which will need a file browser app and a player app, but you do not stream to it.. you stream from it.

  • Best practices for creating movie from still images?

    I have created an architectural model in *someone else's* software, and animated a camera in *someone else's* software, and rendered that out to still images.  I rendered every 5th frame (for a total of 401 frames) in order to save time on rendering.  My goal is to create a short movie (2 minutes) of the camera flying around the building.
    When I imported all of the images, I stretched the duration so that they equally fit the 2 minutes, and used the keyframe assistant to sequence the layers.  Now that I've done that, the movie is choppy (as I expected it to be, since I only rendered every 5th frame).  Does anyone have suggestions as to what effect or transition can be used to smooth the sequence out?  Or am I living in a dreamland and I need to go back and render every single frame?  Is this even the software I should be using?  I'm obviously a n00b, so any help is greatly appreciated.
    Thanks!
    Using After Effects CS4 (9.0.0.346) on Windows 7 64-bit

    Or am I living in a dreamland and I need to go back and render every single frame?
    You are. There is no effect that could automatically synthesize those missing frames even halfway realistically. Timewarp and Twixtor are only gonna make things look like a smear even with a lot of tweaking. By the time you have tweaked their settings and done all your masking and otehr corrections, your 3D render with all frames will be finished just as well and offer better quality.
    Mylenium

Maybe you are looking for

  • Centro hotsync with Outlook creates multiple folders in Notes

    Greetings, This is my first post and I need help! I just got a Sprint Centro two weeks ago and hotsync with Outlook.  Every time I hotsync, the process creates multiple empty 'Notes' folders named after the sync profile.  (You may know that in Outloo

  • How do I get a driver for Deskjet D4360 to operate on Windows 7?

    I've tried down loading new drivers for my Deskjet D4360 printer on my new laptop with Windows 7 and I can't complete the down load. What am I doing wrong? The print worked great on my old laptop using XP.

  • IPhoto 9.1.1 problem with Help

    I have downloaded the new version of iPhoto the day before yesterday and have tried on many occasions to open the Help file but impossible to do. I just obtain an empty window with the cursor running indefinitely. Even if I force iPhoto to leave that

  • IBook went crazy - please help!

    Hey, I was just downstairs surfing the 'net when all of a sudden my iBook went flooey. The screen went black, and then red, green, white, blue (I'm not sure of the exact order of colors). I tried holding down the power button to force it to restart,

  • Hyperlink issues in Converted Project

    I've just recently upgraded to RoboHELP Version 8 to get a better results on the the full text search in WebHelp (the output of our choice). The conversion appeared to go great and I've been happily working away on new content. As our developer is st