Moving control points of a mask

I know this is an easy question--
I have a mask over a video clip. I need to move the control points individually over time.
It's easy enough to move them in the inspector, but how do you move individual points with the mouse.
Whatever I try, it moves the entire mask!
Thanks!

Select the mask in the layer list. From the Adjust tools in the toolbar, select the adjust control points tool (second to the last in the list). You can then click on a control point in the canvas to select it. You can also shift click, or click and drag to select points. If you're using a bezier you can use the command key to add handles or the option key to break handles. It' pretty much like using paths in Photoshop.
If you aren't seeing the mask path in the canvas, make sure you Show Overlays, Handles and Lines enabled.

Similar Messages

  • Changing control points of bezier mask?

    This is probably a pretty simple question to answer, but I can't figure out how to change the control points of a mask after deselecting the mask layer and reselecting. I set my control points, then went through and made some other markers in the clip, then went back to the mask layer. The control points aren't showing up and the mask tool (that I used to make the mask) is deactivated. I've had this problem before and have been able to create a new mask and change the control points as long as I stay in the mask layer, but I'm sure there's a way to go back and forth. Does anyone know?
    Thanks!

    Press the tab key until your tool changes to Adjust Control Points. Alternatively, you can press and hold on the arrow tool and select it from the pop-up menu...
    Patrick

  • Mask control point 'HUD' type info-can it be disabled when editing points?

    I find that the control point info often obscures crucial parts of the image that I'm trying to mask, so it would be helpful to disable this info.
    I've tried toggling various overlay options in the view menu but no luck as yet. Any ideas? Thanks

    No, you cannot. And thank you. I thought I was the only one who was bothered by that little tool tip. I've never found a way to shut it off.
    The only real think you can do is zoom in closer until it doesn't obscure what you're trying to see. For masking operations, I've become very adept at using the zoom tool (Z). Click and drag right to zoom in, left to zoom out, then just hit the tab key to go back to your regular selection tool. Works great for masks and other precision work.
    Andy

  • Annoying pop-up window whenever I try to move control points ...

    So I'm animating a mask ... and whenever I try to adjust a control point, a little transparent pop-up window appears and tells me what coordinates/values I'm moving the point to.
    This is great and all, but all too often, that little window obscures the area that I need to see in order to make an accurate mask.
    Is there any way to turn that off?
    Thanks!

    I've tried unsuccessfully to turn that off for months. It doesn't seem to respond to any of the "overlays", so I'm going to say that it's NOT possible to turn it off.
    I've had the same problem. My only workaround is to zoom in closer to the subject of the mask so it's not obscuring too much. (CMD+/-)
    Andy

  • Deactivate the "Control Point # X,Y" labels in Motion 3?

    Is there away to turn off the overlay labels that pop up when you're animating mask and shape control points? They're obstructing my view obscenely.
    I can't figure out how to turn them off. There's not an option to deselect them in the View -> Overlay menu.

    Is there away to turn off the overlay labels that pop up when you're animating mask and shape control points? They're obstructing my view obscenely.
    I can't figure out how to turn them off. There's not an option to deselect them in the View -> Overlay menu.

  • Disable extra control points when selecting objects

    The new control points that Illustrator has when selecting an object (in addition to the regular handles), how do I disable or hide them? I am working on artwork with many small pieces and these are REALLY getting in the way of moving and adjusting them. Looked through preferences and don't see a way to do it (for that matter, what are these annoying things called?)

    View > Hide corner widgets

  • Using more than 2 control points in Interpolater.Spline

    Hello,
    what I'm working on is a bouncing ball, I figured it might work controlling the interpolator to create a multiple control points using the spline. ( a function with x ^n^ , where n is the number of control points)
    In a spline I can use only two control points, is there a way to make it use more than that, or do i have to use another way.
    Thanks for all help.
    Edited by: A.m.z on May 9, 2013 1:49 AM
    Edited by: A.m.z on May 9, 2013 1:49 AM

    Well, I guess it wasn't so hard - at least when there are libraries written by others to borrow from . . .
    This interpolator requires the apache commons math 3.2 lib - you can download commons-math3-3.2-bin.zip from here:
    http://commons.apache.org/proper/commons-math/download_math.cgi
    Extract commons-math3-3.2.jar from the zip and put it on your class path.
    This interpolator differs a little from the Interpolator.SPLINE interpolator that comes with JavaFX.
    Instead of control points which bend the curve but do not lie on the curve, the interpolator takes a set of points and plots a curve of best fit directly through the points.
    import javafx.animation.Interpolator;
    import org.apache.commons.math3.analysis.interpolation.SplineInterpolator;
    import org.apache.commons.math3.analysis.polynomials.PolynomialSplineFunction;
    public class BestFitSplineInterpolator extends Interpolator {
      final PolynomialSplineFunction f;
      BestFitSplineInterpolator(double[] x, double[] y) {
        f = new SplineInterpolator().interpolate(x, y);
      @Override protected double curve(double t) {
        return f.value(t);
    }Here is an example usage:
    import javafx.animation.*;
    import javafx.application.Application;
    import javafx.scene.* ;
    import javafx.scene.paint.*;
    import javafx.scene.shape.*;
    import javafx.stage.Stage;
    import javafx.util.Duration;
    public class BestFitSplineDemo extends Application {
      private static final Duration CYCLE_TIME = Duration.seconds(7);
      private static final int PLOT_SIZE = 500;
      private static final int N_SEGS    = PLOT_SIZE / 10;
      public void start(Stage stage) {
        Path path = new Path();
        path.setStroke(Color.DARKGREEN);
        final Interpolator pathInterpolator = new BestFitSplineInterpolator(
          new double[] { 0.0, 0.25, 0.5, 0.75, 1.0 },
          new double[] { 0.0, 0.5,  0.3, 0.8,  0.0 }
        // interpolated spline function plot.
        plotSpline(path, pathInterpolator, true);
        // animated dot moving along the plot according to a distance over time function.
        final Interpolator timeVsDistanceInterpolator = new BestFitSplineInterpolator(
            new double[] { 0.0, 0.25, 0.5, 0.75, 1.0 },
            new double[] { 0.0, 0.1,  0.4, 0.85, 1.0 }
        Circle dot = new Circle(5, Color.GREENYELLOW);
        PathTransition transition = new PathTransition(CYCLE_TIME, path, dot);
        transition.setInterpolator(timeVsDistanceInterpolator);
        transition.setAutoReverse(true);
        transition.setCycleCount(PathTransition.INDEFINITE);
        transition.play();
        // show a light grey path representing the distance over time.
        Path timeVsDistancePath = new Path();
        timeVsDistancePath.setStroke(Color.DIMGRAY.darker());
        timeVsDistancePath.getStrokeDashArray().setAll(15d, 10d, 5d, 10d);
        plotSpline(timeVsDistancePath, timeVsDistanceInterpolator, true);
        stage.setScene(
          new Scene(
            new Group(
              timeVsDistancePath,
              path,
              dot
            Color.rgb(35,39,50)
        stage.show();
      // plots an interpolated curve in segments along a path
      // if invert is true then y=0 will be in the bottom left, otherwise it is in the top right
      private void plotSpline(Path path, Interpolator pathInterpolator, boolean invert) {
        final double y0 = pathInterpolator.interpolate(0, PLOT_SIZE, 0);
        path.getElements().addAll(
          new MoveTo(0, invert ? PLOT_SIZE - y0 : y0)
        for (int i = 0; i < N_SEGS; i++) {
          final double frac = (i + 1.0) / N_SEGS;
          final double x = frac * PLOT_SIZE;
          final double y = pathInterpolator.interpolate(0, PLOT_SIZE, frac);
          path.getElements().add(new LineTo(x, invert ? PLOT_SIZE - y : y));
      public static void main(String[] args) { launch(args); }
    }Edited by: jsmith on May 11, 2013 5:58 AM

  • AE crashes every time i adjust points on a mask.

    This is super frustrating:.
    I have a simple mask on an HD sized layer. I need to animate the mask so I go to adjust the points of the mask. Pretty much after the second or third point is moved AE will lock up. The only way out is to kill the program (no error messages).
    I thought it might be my display driver for some reason so I downgraded Nvidia to 310.90 (from 314.07).
    I tried AE with all 3rd party plugins removed and still the same behavior...
    Any thoughts are welcome.
    System Specs:
    HP z820 - e5-2670 x2, 64gb ram
    NVIDiA GTX 690 4GB
    WIN7 Pro 64
    Kona LHE plus
    AE CS6 (11.0.2)
    Thank you,
    Ryan Kelly
    -UPDATE-
    it seems to be related to a particular piece of footage that I'm using: Avid DNX quicktime file/1920x1080.
    I have 90 shots from a television episode. this ONE file keeps crashing on me (all the others were exported the same way).
    if i remove telecine/pulldown, add a mask, feather the mask and then animate the mask it will crash everytime. I've tried this on 3 systems - all crashed with this piece of footage.
    I guess I'll just say the footage is corrupt and call it a day- but it seems so very strange that corrupt footage would crash the program only when a mask is applied.
    Would love to hear some theories if anyone has one.
    Thanks,
    Ryan

    Update:
    I _may_ have fixed the issue. I just (finally) disabled the windows service "Tablet PC Input Service" to get rid of the little circle animations that occur with pen usage (I use a Wacom Cintiq). I also disabled all the other windows pen functions. So far, i've been able to use the files/edit masks without crashing...
    Fingers crossed...
    -Ryan

  • Vector lines and control points stay onscreen

    Photoshop CS6 64bit WIndows 7 64 Bit.
    Using pen tool to create a mask.
    After de-selection of path (using pointer tool, paintbrush or anything else) the vector line including the control points does not disappear as normal.
    Deleting the layer removes it, but changing the visibility of the layer does not have any effect - it simply stays onscreen.
    Radeon HD4850 card with latest drivers.

    Photoshop CS6 64bit WIndows 7 64 Bit.
    Using pen tool to create a mask.
    After de-selection of path (using pointer tool, paintbrush or anything else) the vector line including the control points does not disappear as normal.
    Deleting the layer removes it, but changing the visibility of the layer does not have any effect - it simply stays onscreen.
    Radeon HD4850 card with latest drivers.

  • Animate points of a mask individually???

    Here is a picture of the options I have in AE CS5.5. I am wondering how I animate a mask. I have never done this in AE before. I want to animate parts, that is to say, I want to animate each vertex, or point of the mask individually. Is there a way to do this? If not what do y'all suggest?
    Thanks so much for any suggestions.

    Hi there,
    All I did was set one first key for the mask and then i moved one point, then moved the time slider, then move one point, etc.
    And when i played the time line from the beginning the points were animated. Its reminded me of autokey! lol good luck, have fun!

  • How do I move all of the control points at the same time at the Path Text preset?

    I'm doing motion typography, I used the Bezier Shape Type, it has 4 control points, I saved the custom preset I made, but the problem is, is it possible to move them at the same time? I'm animating per letter to form a word.
    Additional Question: Is it possible to add more control points? If then, how?
    Thanks in advanced.

    Double-click the path shape to invoke the transform box. Read up on how to use the path tools to insert and modify points.
    Mylenium

  • Can selected points of a mask be feathered

    hi
    i have seen in mocha that rather than the whole mask being feathered  single or a selection of points around a mask can alone  be feathered
    is this possible in after effects
    cheers

    You can use 2 masks in AE. Just adjust the paths.  I'll have to check on exporting the feathered mask from Mocha AE. I know you can from Mocha Pro.
    Edit: Turns out all you have to do is select Export Shape Data from Mocha AE, Copy to Clipboard, then paste to a any layer to get that feathered mask into AE. The shape can then be used as a track matte or may be applied directly to the footage.

  • My Magic Mouse is not moving the pointer on the screen but it allows me to scroll  up and down by sliding my fingers on the mouse.

    My Magic Mouse is not moving the pointer on screen. However, it is allowing me to scroll text up and down by dragging my fingers on the mouse.  How can I recover full use? I am using a MacBook Pro with Mavericks. All indications are that the mouse is connected through the Bluetooth connection and the batteries have significant life in them.

    Have you tried this:
    http://support.apple.com/kb/TS3048?viewlocale=en_US&locale=en_US#7
    Mouse does not track as expected (jittery, jumpy, slow, fast).
    The Apple Wireless Mouse can be used on most smooth surfaces, however if tracking issues occur try these options:
    Choose System Preferences from the Apple () menu, then choose Mouse from the View menu. Set the Tracking slider to adjust how fast the pointer moves as you move the mouse.
    Try using a different surface to see if the tracking improves.
    Turn the mouse over and inspect the sensor window. Use compressed air to gently clean the sensor window if dust or debris is present.
    If multiple Bluetooth wireless devices are in use nearby, try turning them off one at a time to see if the issue improves. Bandwidth intensive devices could affect tracking.

  • Lasso tool control point with delete keyboard shortcut in PS CC

    Hello,
    I can not remove lasso tool control point with delete keyboard shortcut in PS cc. please help

    it's a bug, view this thread
    http://forums.adobe.com/message/6027062#6027062

  • How to convert an anchor point to have a single control point...

    Can anyone tell me if it is possible to convert an existing anchor point on a path from a dual control point with directional handles either side of the point to a single control point with one directional handle?
    In Illustrator this is easy, all you do is drag one directional handle into the anchor point and it deletes that handle leaving just the other handle to control the shape.
    In Photoshop this appears to be much harder to achieve as dragging the handle into the anchor point doesn't work and no matter what combination of keyboard shortcuts I've tried I'm not able to get rid of just one of the handles.
    I am able to achieve what I want by splitting the path then Alt clicking on the end point of the path but this strikes me as being really clumsy compared to Illustrator's perfect solution. Even InDesign works better, as you just Alt Click on the directional handle once and it deletes it.
    What seems totally bewildering is why all these pieces of software (made by the same people) work differently?

    Yes it seems your suggestion to drag the directional point so that it sits directly on top of the anchor point is the best one can do. It doesn't actually delete the direction point like it does in AI merely makes the direction point so small it doesn't actually do anything. Not ideal really.
    Maybe all the separate development teams should meet up for a coffee some time and just iron out all these indifferences, I reckon they could get it done in an afternoon, I'd be happy to write them a list. And don't even get me started on how the Workspaces differ from app to app!

Maybe you are looking for

  • Items not moved to Second Stage Recycle Bin

    Hello, Trying to do some digging into SharePoint 2010 Recycle Bin. I've noticed that although items, when deleted, are being moved to the First Stage Recycle Bin, if they are deleted from that location they do not seem to be moved into the Second Sta

  • Error "Function G1 does not exist "

    Hi , While doing monitoring  got error " Function G1 does not exist ". Bdoc type : BUPA_REL Sate         : E04. Checked SMQ1,SMQ2 , no queues were in sysfail status.How to maintain this function. Help me how to clear . Thanks in advance, Regards, PA.

  • Looking advice for BW

    Hi friends, I am working as abap consultant, i am having 3+ exp. I am planning learn BI. After learning BI if i put exp like abap 3+ and BI 1+ is it mach for my resume today market or not. is there any 1+ exp jobs in BI?. Thanks in advance. manisha

  • Bladerunner "replicant" technology used in Creative Zen Micro

    For those of you who are unfamiliar with the Harrison Ford movie "Bladerunner" it's basically about a bunch of human looking androids who somehow find out that they have been built with only a certain lifespan (4 years i think) and because of this de

  • Multicolumn report: problem with continuous section breaks

    Hi All, There is a need to create RTF template which consists of 3 logical parts: (1) Static text -> some kind of header information; (2) Multicolumn (2 columns) text -> contract terms; (3) Static text -> information about signers; Here is a small sc