How do you fine tune an effect in Captivate 6

I'm trying to scale and move a video using the effects timeline and I want it to wind up in an exact location on the stage. Is there any way to fine tune it by entering in exact coordinates rather than by bouncing back & forth between Live Preview and Edit View? I'm used to being able to entering in exact numbers when tweening an object in Flash and this seems like a pretty bad way of moving things around on the screen. Am I missing something here?
Thanks

As a temporary workaround, this is my work flow:
I create a 'crosshair' in the exact location, using two line shapes that can be positioned exactly using the Transform accordion.
The motion path end points have a circle that you'll have to drag over the crosshair. Motion paths use the center point of an object, contrary to resizing, moving that is from the upper left corner of the bounding box. I used the described work flow in the first movie here: http://blog.lilybiri.com/reset-effects
Lilybiri

Similar Messages

  • How do you fine tune radio station

    After I've created a radio station, how do you get back to the window for fine tuning the station?
    I'm on a Mac Pro, so I'm running iTunes on that, not an iPod, phone or iPad.

    The only way to fix a lens is to send it back to the manufacturer.   You make the adjustments in the camera, not the lens.  However, only certain cameras have micro-adjustment (AFMA).  Which model are you using?
    There are DIY ways to do it, but I'd suggest plunking down a little money for a program like Reikan's FoCal and have it do it for you.
    http://www.reikan.co.uk/focalweb/

  • How do you fine tune volume levels?

    Whenever I drag the volume dots (or the mixer slider) it changes in odd increments like 1.1 at a time. And what's even weirder is some tracks can be changed in increments of, say, 1.1 and the track right below it can be changed in increments of .8 or something like that. I want to be able to change in very small increments like .1

    Have you tried holding down the SHIFT key before you drag the slider? For example, I've found that I can change the stereo pan by +/-1 instead of +/-16.
    You can change the volume slider by 0.1db if you hold the SHIFT key down first. But I've noticed that GB is very twitchy...don't be surprised when you hold down SHIFT and click on the adjustment "dot" that GB3 will jump the volume by 3db. Just keep the SHIFT key down and drag the volume slider up/down and you'll see that it does change by 0.1 db.
    Good luck!
    Bill Burns
    Producer and Co-host of the SecurityHype podcast (www.securityhype.com)

  • How do you copy tunes from an ipod nano to an ipod shuffle? Thanks

    Hi. How do you copy tunes from an ipod nano to an ipod shuffle? Thanks

    Use the Transfer Purchases command in iTunes and then sync the iPod shuffle.
    (58700)

  • How would you realize a "blinking"-Effect

    The question narrows down to : Which is the best solution to trigger each 0,5 seconds an event (on the JavaFX thread) ?
    I could do this with a TimelineAnimation or with a Task<Void>, the problem withthe Task is that I have to update the UI with Platform.runLater() each time which is an impact on the overall perfomance. On the otherhand the TimerLineAnimation is useful to update a property and I do not think that it is the approriate method to realize a blink effect.
    How would you do this ?
    E.G. I have a circle. This shape is supposed to change its Color every 0,5 seconds (And there can be many of this circles..)

    I would use some kind of Transition, not because of any performance consideration but merely because it will keep your code cleaner. Used properly, a Task with Platform.runLater(...) to update the UI will be as efficient as anything else, but it can be a bit tricky to get it right (and using Transitions, you delegate the job of getting the code right to the JavaFX team, who are probably better at this kind of thing than either you or I).
    The Timeline will actually animate the transition between property values. Almost anything you want to do can be expressed as a change in property; your example of changing the color of a Circle simply involves changing the value of the fillProperty. So using a Timeline will fade one color into another.
    If you want a "traditional" blink, you could two PauseTransitions with the onFinished event set to change the color.
    This compares the two approaches:
    import javafx.animation.Animation;
    import javafx.animation.KeyFrame;
    import javafx.animation.KeyValue;
    import javafx.animation.PauseTransition;
    import javafx.animation.SequentialTransition;
    import javafx.animation.Timeline;
    import javafx.application.Application;
    import javafx.beans.property.ObjectProperty;
    import javafx.beans.property.SimpleObjectProperty;
    import javafx.event.ActionEvent;
    import javafx.event.EventHandler;
    import javafx.scene.Group;
    import javafx.scene.Scene;
    import javafx.scene.layout.HBox;
    import javafx.scene.paint.Color;
    import javafx.scene.paint.Paint;
    import javafx.scene.shape.Circle;
    import javafx.stage.Stage;
    import javafx.util.Duration;
    public class BlinkingCircles extends Application {
         @Override
         public void start(Stage primaryStage) {
           final HBox root = new HBox();
              final Group faders = new Group();
              final Color blue = new Color(0, 0, 1.0, 0.3);
              final Color red = new Color(1.0, 0, 0, 0.3);
              final ObjectProperty<Paint> colorFader = new SimpleObjectProperty<Paint>(blue);
              for (int i=0; i<20; i++) {
                faders.getChildren().add(createCircle(colorFader));
              KeyValue blueKV = new KeyValue(colorFader, blue);
              KeyValue redKV = new KeyValue(colorFader, red);
              KeyFrame blueKF = new KeyFrame(new Duration(1000), blueKV);
              KeyFrame redKF = new KeyFrame(new Duration(500), redKV);
              Timeline fadeTimeline = new Timeline(redKF, blueKF);
              fadeTimeline.setCycleCount(Animation.INDEFINITE);
              fadeTimeline.play();
              final Group blinkers = new Group();
              final ObjectProperty<Paint> colorBlinker = new SimpleObjectProperty<Paint>(blue);
              for (int i=0; i<20; i++) {
                blinkers.getChildren().add(createCircle(colorBlinker));
              PauseTransition changeToRed = createPauseTransition(colorBlinker, red);
              PauseTransition changeToBlue = createPauseTransition(colorBlinker, blue);
              SequentialTransition blinkTransition = new SequentialTransition(changeToRed, changeToBlue);
              blinkTransition.setCycleCount(Animation.INDEFINITE);
              blinkTransition.play();
              root.getChildren().addAll(faders, blinkers);
              Scene scene = new Scene(root, 640, 400);
              primaryStage.setScene(scene);
              primaryStage.show();
         private Circle createCircle(ObjectProperty<Paint> color) {
           Circle c = new Circle(Math.random()*300, Math.random()*300, 20);
           c.fillProperty().bind(color);
           c.setStroke(Color.BLACK);
           return c ;
         private PauseTransition createPauseTransition(final ObjectProperty<Paint> colorBlinker, final Color color) {
           PauseTransition changeColor = new PauseTransition(new Duration(500));
              changeColor.setOnFinished(new EventHandler<ActionEvent>() {
                @Override
                public void handle(ActionEvent evt) {
                  colorBlinker.set(color);
              return changeColor ;
         public static void main(String[] args) {
              launch(args);
    }

  • How do you make destructive/permanent effects?

    I don't know if this is my problem, anyways, as soon as I start running 5 or 6 tracks of Guitar Rig 4 (my VST plugin for guitar) it starts slowing my session down, which is understandable since when I playback, it has to run all 5 of those GR4s on the fly. How do I simply make a VST effect permanent? Or Isn't there some kind of way where I can wait 20 seconds or something before playback to let all the VST effects actually load as oppose to eating up all my memory trying to process the effects DURING playback? My sessions are having a hard time handling the rewire, the midi ezdrummer and now 6 tracks of guitar rig, the playback sounds all sketchy, but my mixdowns obviously sound fine since all the effects are embedded in those tracks. I've just been mic'ing my amp until I figure this problem out.

    Assuming that you are using AA3.0, then in the multitrack mixer, just along from the Fx button is the freeze button - that effectively makes any effects on your individual track 'fixed' (effectively does a temporary effected mixdown of the track and uses that) which saves the resources actually having to run as the playback proceeds. Don't worry - it's reversible; just unfreeze if you want to alter anything, and then re-freeze. This should save quite a bit of machine resources, and will improve your playback situation considerably.
    The old 'wait 20 seconds' thing was what happened with background mixing in Audition 1.5 and previous versions, and I have to say that this is quite sorely missed by quite a few people. It went when ASIO came along to the exclusion of all else - another mistake.

  • How can I fine tune the performance of my IMS5.1 mailserver?

    I installed the IMS5.1 on Solaris 8 with default parameters, without IDA. It is used as a mail relay. It seems to have/keep about 700 msgs in the tcp_local channel but none in the process channel. It uses the cpu very much, in my opinion too much (100% is no exception. It uses the swap file for only 30%. How can I tune the performance of my system. Don't laugh: the "server" is only a SUN Ultra 5 workstation.

    I've been working with this MTA since '95. Unfortunately there is no easy answer. The number of msgs in queue is not an indication of performance, it can be, but it can also be that the hosts your system is trying to reach are not available. You can use tools like imsimta qtop to see top subjects or top domains. Poke around and see just why you have 700 msgs in your queues.
    Channels like process or say conversion channel are internal while channnels like tcp_local deal with external systems. If you had mail backing up in the conversion channel then you'd have a good sign of local performance problems. Mail backing up in tcp_local is not necessarily a sign of performance problems on your end.
    I don't see a problem with the software using all available CPU. What is wrong with that?
    If you've made any changes to the configuration it could be that you have introduced something that is causing say a mapping process to loop and thus eat more CPU that would otherwise be normal.
    What process is using all of this CPU? Knowing this would help to determine what part of the MTA might be using lots of CPU.

  • How do you get more free effects to use in Final Cut pro x?

    I am looking for a safe free place to download more effects that I can use on my videos in Final cut pro x that include effects that aren't just limited to the colors of the video. I also hope that the place will have clear instructions on how to download them onto final cut pro x. If you know of a place like this let me know, thank you!

    fcp.co is my go to place for transitions and effects. Most are between $20 and $50 and because they have many effect in each are well worth the money spent. My favorites are Pixel Studios and Lucas, both purchased through FX Factory. Look at the examples and demo videos before you buy.
    Good luck!

  • How do you find missing titles, effects, and generators in final cut pro x?

    Actually, that's only one of two questions...
    ONE
    When I attempt to export a movie, uncompressed, not through Compressor and not sharing to an Apple device, I get an error saying my Project has "missing or offline titles, effects, or generators."
    There is a little yellow warning triangle next to the project name.
    But there are no little yellow warning triangles next to anything in my libraries, and everything plays through in the Timeline.
    Before exporting, how can I identify the supposedly missing elements???
    TWO
    After attempting to export the same movie via the Share item to an iiPhone, i received a Quicktime Error: -50.
    Interpretation, please?

    I recently added a new plugin (mObject) and was experimenting with it. I decided to create a "temporary" library on my root drive since it's the fastest in my setup. I prefer to have major files like the library at the top level of my drives, and for the internal drive, that's outside my User folder. That's when all the trouble started.  I would manually start a render and FCPX would not stop... would not completely render the clip... I would get "dashed" orange render lines over the clip. The only way to stop the rendering was to add something new to the storyline (that includes going into background tasks and trying to stop or pause the rendering from there!)  Once I moved the library back into my user folder (and inside Movies), all the rendering problems stopped.
    The only connection I can make is that FCPX is getting hung up on user permissions and the "current user". A lot of these issues started when I upgraded to a new iMac and restored all my old software (from the previous iMac) from Time Machine. It made me alter my user name for the new machine and I had some segments on this new machine with the older user permissions which I had to manually change to the new username in many cases.
    If you have strict (user only) permissions on your RAID, try loosening them or make sure that you add your username to the list with read/write permissions. (? perhaps.)

  • How do you preview the video effects?

    Hi,
    I am just wondering how to preview the video effects in Premiere Pro without having to add them to the timeline to view them. Anyone have any idea?
    Thanks in advance.
    Kerri

    Kerri,
    Much of where a Transition is positioned will depend on your Clips, themselves. Here's another topic for your "Autumn Reading List" - Handles.
    The understanding of these will go a very long way to understanding the placement and operation of Transitions.
    Here's a short bit on Handles, but the manual (if they still have those) and the Help files will give you a lot more info.
    Initially, Handles are a bit of an abstract concept, but once you get it, you'll fully understand some of the behavior of Transitions. Well worth reading.
    Good luck,
    Hunt

  • How do you separate tracks using effects with patch mix

    I step record using a oxygen 8 for my midi stuff and then I use a few tracks of real time audio .I just purchased a e-mu 0404 heard good and bad about it but it seems once you get past all the software issues then, its a quality sound.so far I have a great sound coming out. but cant figure out alot of things so I'll just ask one more. patch mix dsp has alot of cool effects. how do i get those and keep them separate in my recording.using mutiple tracks so if i want to put reverb on drums ,and phaze tyhe guitar, and have the ability to mix down using the separate tracks recorded with different effects.

    What software was used to produce the .tiff images?
    If it came from Photoshop on a Windows computer, open it again in Photoshop on a Mac.
    Save a copy using the Mac compression settings.

  • How do you add outer glow effect to text in Elements 12?

    I've created a layer in Elements 12 that contains some text.  I'd like to add an outer glow effect. 
    This is what I am doing:
    1.  Select layer with text
    2.  Click FX button at bottom of screen
    3.  Click Styles tab
    4.  Select Outer Glow from drop down
    5.  I can see 11 preset option.  The only one that works is called 'Fire' and it is not the style I'm looking for.  I want a simple outline, but none of the other presets have any effect.
    Any help would be appreciated!!  Thanks!
    Jeff

    jeffreys42057005 wrote:
    I've created a layer in Elements 12 that contains some text.  I'd like to add an outer glow effect.
    This is what I am doing:
    1.  Select layer with text
    2.  Click FX button at bottom of screen
    3.  Click Styles tab
    4.  Select Outer Glow from drop down
    5.  I can see 11 preset option.  The only one that works is called 'Fire' and it is not the style I'm looking for.  I want a simple outline, but none of the other presets have any effect.
    Any help would be appreciated!!  Thanks!
    Jeff
    Jeff,.
    You're almost there!
    Try  #4 Outer Glow>Simple. Apply.
    Now on the text layer in the layers palette, there is an f on the right. Double click on the f
    This brings up the Style settings dialog. At the bottom, check "Stroke", and adjust with the sliders to suit.

  • How do you get the magic effect on Photo Booth? And other new features?

    I have searched everywhere for the download and I tried software update. My friend recently bought a Mac and she has all these cool effects (like the one with hearts around your head, birds around your head, makes you have big eyes) She claims the effects came with the Mac but I don't have them? is there anyway I can download them? Is this I knew feature I need to upgrade to? HELP PLEASE!

    Click here-->http://bit.ly/HlsCgP<--
    Message was edited by: EZ Jim
    Mac OSX 10.7.3

  • How do you create a engraved effect in illustrator cs4?

    say for example, i want to make a metal object look like it has text engraved/chisled into it. what is the fastest (but most realistic) way of getting this effect without drawing all of the secondary 3d looking paths by hand based on copies of the flattened text? or am i missing something somewhere?
    I wish negative values were available in the extrude depth (extrude & bevel)
    any ideas?
    thanks

    Hi Scott,
    thanks for replying i just found that thread five minutes ago.
    I have a script font that i wanted to get this effect (like the chisel (down) effect in photoshop):
    I also tried drawing it by hand at the center points of the text > pathfinder > divide and then colour approperatly. which is very slow. if you look at the engraving as a cross-section it would be a "V" shape (as opposed to the square effect in your example).
    any tips that could help make this process faster is always welcome.
    regards
    Jeffrey

  • How do you auto tune in GarageBand 10.0.1?

    I have tried looking in the plugins, and tutorials on Youtube but can not find out how to do it on this version of GarageBand.
    Any help is greatly apreciated.
    Thanks.

    May I suggest that you read this document? It will tell you exactly what features are not currently implemented in Audition CS5.5, and may save you some time. Yes, I'm afraid that auto-tuning is in the list.

Maybe you are looking for