I Can't Make My Own Shaped Drop Zone/Button ?

I have tried to follow the DVDSP Manual instructions on creating my own shape in Photoshop but I obviously don't understand them!
This is the drop zone I end up with ....
The white part is meant to be the shape (an island) of the zone without any black around it.
Also when I try to add a video to it, the video comes out completely rectangular, obliterating the customised shape of the zone.
Could anyone point me towards a tutorial with easy to understand instructions?

Dead simple!
Drew my shape on a transparent background and filled in the centre with white.

Similar Messages

  • How can i make my own LookAndFeel

    How can i make my own LookAndFeel ??
    please help, if you have some tutorials or something like this

    http://www17.homepage.villanova.edu/william.pohlhaus/is/doc/Java%20Look%20and%20Feel.htm
    and Google.

  • How can i make mt own radio station on iPad or iPhone.....and how to use mobile terminal ???

    How can i make mt own radio station on iPad or iPhone.....and how to use mobile terminal ???

    what do you mean radio station as in you would be transmitting fm to the airwaves?

  • How can you make your OWN text slides on imovie

    What i mean by this is, is there any other way to make text slides in imovie other than the options they already give you? I want to make my own, i'm not a fan of the ones they give

    You can use Keynote and then use in imovie.
    The trick is to Share from Keynote as a QuickTime movie. Use Timed Advance, not Manual Advance.
    If you are using Green Screen, make a gradient background of two similar shades of green.
    Here is a "green screen" example.
    Here is a Picture in Picture example

  • How can I make my own ringtone in iTunes 11.0.2?

    I used to convert the audio to an ACC file after I cut it. However, there's no longer that button, how can I make them into tones after cutting the audio? The new version of iTunes confuse me

    How about creating the ringtone on your iPhone? You may want to check this out:
    http://www.macworld.com/article/2010514/how-to-create-a-ringtone-on-your-iphone- with-garageband.html
    You need GarageBand 1.3 for iOS - is your iPhone compatible with that?

  • Can photos/movies be repositioned in drop zones?

    Everytime
    I try to add photos to my menu designs, the drop zones crop them oddly. I often have to go into photoshop and make several versions by trial and error until one works after the cropping. This is obvisouly very time consuming. Is there any way to move the asset position in the drop zone??

    Yeah, i often do that. the problemis more when it crops the left hand side of te image as opposed to the right, and I cannot reposition it. doesn't that seem like a pretty core ability you should be able to do?

  • How can I make my own changeListener?

    Hello,
    I have this component - A clas Spin that has 3 spinners:
    package component;
    import javax.swing.JPanel;
    import javax.swing.BoxLayout;
    import javax.swing.JSpinner;
    import java.awt.Dimension;
    public class Spin extends JPanel {
         private static final long serialVersionUID = 1L;
         private JSpinner js1 = null;
         private JSpinner js2 = null;
         private JSpinner js3 = null;
          * This is the default constructor
         public Spin() {
              super();
              initialize();
          * This method initializes this
          * @return void
         private void initialize() {
              this.setSize(150, 20);
              this.setLayout(new BoxLayout(this, BoxLayout.X_AXIS));
              this.setPreferredSize(new Dimension(getSize().width, getSize().height));
              this.add(getJs1(), null);
              this.add(getJs2(), null);
              this.add(getJs3(), null);          
         public JSpinner getJs1() {
              if(js1==null) {
                   js1= new JSpinner();
              return js1;
         public JSpinner getJs2() {
              if(js2==null) {
                   js2= new JSpinner();
              return js2;
         public JSpinner getJs3() {
              if(js3==null) {
                   js3= new JSpinner();
              return js3;
         public String getValue() {
              return js1.getValue()+":"+js2.getValue()+":"+js3.getValue();
    }So if I want to catch a change of one of these 3 spinners I just need to do this:
    js1.addChangeListener(new javax.swing.event.ChangeListener() {
                        public void stateChanged(javax.swing.event.ChangeEvent e) {
                             System.out.println("stateChanged()"); // TODO Auto-generated Event stub stateChanged()
    js2.addChangeListener(new javax.swing.event.ChangeListener() {
                        public void stateChanged(javax.swing.event.ChangeEvent e) {
                             System.out.println("stateChanged()"); // TODO Auto-generated Event stub stateChanged()
    js3.addChangeListener(new javax.swing.event.ChangeListener() {
                        public void stateChanged(javax.swing.event.ChangeEvent e) {
                             System.out.println("stateChanged()"); // TODO Auto-generated Event stub stateChanged()
    But I DONT need this above, I need this:
    Spin mySpin = new Spin();
    mySpin.addChangeListener(new javax.swing.event.ChangeListener() {
                        public void stateChanged(javax.swing.event.ChangeEvent e) {
                             Spin s = (Spin)e.getSource();
                             System.out.println(s.getValue()); // TODO Auto-generated Event stub stateChanged()
                   });What all I need to do that my spinner "Spin" can have its OWN changeListener so everytime I change ONE of these 3 spinners(doesnt matter which one) that MY changeListener can catch it and execute what ever I to.
    I hope that it make sense what just asked..
    Thanks for any ides.

    Oh sorry about that, I misunderstood your question. I think I see now what you need to do. First create your own custom event class:
    public class SpinChangeEvent {
         private Spin source = null;
         private Object value = null;
         public SpinChangeEvent(Spin source, Object value) {
              this.source = source;
              this.value = value;
         public Spin getSource() { return source; }
         public Object getValue() { return value; }
    }Then create your own SpinChangeListener interface:
    public interface SpinChangeListener {
         public void stateChanged(SpinChangeEvent ev);
    }In your Spin class, maintain a list of SpinChangeListeners that will be notified of changes, and add regular javax.swing.event.ChangeListeners to your JSpinners to do the notification:
    private ArrayList<SpinChangeListener> listeners = new ArrayList<SpinChangeListener>();
         private void initialize() {
              // Do other init stuff, then this:
              javax.swing.event.ChangeListener lis = new javax.swing.event.ChangeListener() {
                   public void stateChanged(ChangeEvent e) {
                        doSpinnerChanged();
              js1.addChangeListener(lis);
              js2.addChangeListener(lis);
              js3.addChangeListener(lis);
         // This gets called by each spinner when it changes.
         private void doSpinnerChanged() {
              // Create a new SpinChangeEvent and notify all the listeners.
              SpinChangeEvent event = new SpinChangeEvent(this, getValue());
              for (SpinChangeListener listener : listeners) {
                   listener.stateChanged(event);
         // These are for outside classes to register themselves as listeners for SpinChangeEvents:
         public void addSpinChangeListener(SpinChangeListener lis) { listeners.add(lis); }
         public void removeSpinChangeListener(SpinChangeListener lis) { listeners.remove(lis); }Then whatever class uses the Spin object can register itself as a SpinChangeListener like this:
              spin.addSpinChangeListener(new SpinChangeListener() {
                   public void stateChanged(SpinChangeEvent ev) {
                        Spin source = ev.getSource();
                        System.out.println(ev.getValue());
              });Output after several spinner changes is:
    1:0:0
    1:1:0
    1:1:1
    1:1:2
    1:1:3
    1:0:3

  • How can I make my own form without a wizard

    Hello,
    I already created Tabular Forms using the wizard and everything worked. But now I have different requirements on my from. I need some radio buttons and some option buttons (which values come from different tables) and some normal number fields. So I can't no longer use the tabular forms.
    I created a table which can save all the information I want to provide by the form. This table has a primary key populated by a sequence I created too. Then I created a page which looks like a questionnaire I got before to design this form.
    I added another hidden item (*ID*), which should be filled by my sequence and a button which should do the insert statement.
    But I couldn't find out how to do. I looked a the processes which a made when I use the wizard but I'm not sure what they do actually.
    My question is, how is it possible to have the hidden item filled with the next primary key of my table and then how do put all the item values of the form in an insert statement? I there maybe a better way to acchieve my goals?
    Regards
    Felix

    If you created your sequence with a trigger (usually APEX creates these together for you) then there is no need to have the next ID number, when you do your insert it will automatically fill this in for you. The trigger will see that you're trying to insert null for the ID and instead replace it with the next number in the sequence.
    As for having all your items in an insert statement, you can do this in two ways. One being to create up a DML page process to handle the insert/update/delete statements. You will also need an on load row fetch process to load data onto your form. Make sure your page items are set to Source Type Database Column with the column names in the Source Value field.
    The other option is to create custom page processes to do these for you - for example, one process for inserting, one for updating, one for deleting, one for displaying data, and then you can set the condition of each process to only run if a certain button is clicked. This is useful if you have more code to run with each button click.

  • How can I make my own google map widget for ibooks?

    Hello,
    I am wanting to add some custom maps to an iBook.  I know there are a few sites out there that will build a widget for you but I am wondering how I can build my own.  Does anyone have any tips?
    Thanks!

    Seen iBooks Author: About HTML widget creation ?

  • Can I make my own Fonts?

    I'm wanting a truly unique marketing approach for my band. I've picked up a Wacom Bamboo and have Leopard with the Inkwell feature that let's me write in Pages for band flyers, etc.
    But what I'm wanting to do is to create my own "A,B,C, 1,2,3" Font that has the bands' look to use in any iWork application - especially Mail. I just want to know if it's possible and if anyone out there knows how to do this and then import it into the Font Library for use. Thanks all in advance, I'm not sure if this was the correct forum but I did get the idea from wanting to use my own Fonts in Pages projects.

    "But making fonts is not very easy, and custom fonts are pretty useless for mail or web pages, unless you turn your text into graphics, because people at the other end will not see your font unless they can get and install it on their own machine."
    Apple Safari 3 is able to display the intended SFNT Spline Font file - Apple TrueType 1, Apple TrueType 2, Microsoft OpenType.
    The SFNT Spline Font file format is divided into a primary and a secondary mapping. The primary mapping is supported by the CMAP Character Map tag (with one or more tables).
    The primary mapping is a 1:1 automatic mapping from character codes to default glyph codes, which is insufficient for formal typography in the Latin script.
    Therefore, secondary mapping from default glyph codes to glyph codes for alternate stylistics is included in extensions to the SFNT Spline Font file format, version 1.0, 1990.
    Apple's extensions are assembled in the MORT Metamorphosis table and Microsoft's extensions are assembled in the GSUB Glyph Substitution table.
    Apple Safari 3 should support simple line layout available through the CMAP Character Map table common to all three flavours of the SFNT Spline Font file format.
    Caveat: At this point I have not had time to test the reported feature.
    There are two type design tools today, Fontographer which has been the mainstay of type design on the Macintosh for many years, and the newer FontLab which is the first type design tool to implement the Apple TrueType spline programming language natively.
    Best,
    Henrik

  • How can i make my own app?

    I would like to make an app for my small business, not to sell to the public. Our sales people (only 4 of them) have iPads and I would like to make a catalog of our products into an app so it's easier to sync and use for the sales team. I've found several online companies that will help me but not sure who to go with or the best option...or if there's something I've overlooked. I've tried Dropbox and Goodreader and while that works...an app to me sounds better. The catalog would consist of pictures, product descriptions, some video.
    Thanks!

    You could start out with Apple's iWork apps like Pages for word processing and Numbers for spreadsheets (or something similar from the App Store). These apps allow you to embed photos and videos, or links to your own YouTube videos.  And you could use iCloud or DropBox for sharing and collaboration between your teammates. 
    Experimenting with these off-the-shelf apps may give you some ideas for custom solutions that better meet your business needs.  Good luck!

  • How can I  make my own design for a web page instead of using a template?

    Need to ask the question again. I tried using the blank template, but could not get it to work. I could not insert images and copy where I wanted and in size I wanted.

    rapcom wrote:
    A general question: Is it possible to change the dimensions of the web page? Or even its positioning as a horizontal or vertical format?
    Yes — it's done via iWeb Inspector's Page tab (the second one at the top), editing the values in the +Page Size+ fields. After entering a new value, click the Return key to make it take effect...
    ..By the way, the above image is taken from a tutorial ~ click on the image above to read the tutorial.
    rapcom wrote:
    I also would prefer to edit the copy on the blank web page, and cannot do that either. Is it possible to do so?
    Yes, it's possible. But it's difficult to know what exact difficulty you're having, and I perhaps risk stating the obvious... One thing to be aware of is that clicking once inside a text box will simply select that box (you'll see eight +"grab handles"+ for re-sizing). But to edit the text inside, you need to click once more. Experiment with clicking inside and outside text boxes and you'll learn.
    And iWeb's Help menu has several resources ~ the Help viewer, a +Getting Started+ PDF and a link to ten video tutorials. One of the videos briefly demonstrates adding a text box towards the end; click here...
    If after the above you still need help, post back with step-by-step details of the problem.

  • How can I make a drag and drop movie clip to disappear when it's dragged in a specific area?

      I have a movie clip that also has the function to duplicate. What I want is that if the user dosent want so many duplicates, to have an area where if he drags the duplicates, they will disappear.  Thank you.

    I've search on google but I did not found any tutorial for this particular thing. I found instead this code : 
    on (press) {     startDrag ("", false);   
    this.swapDepths(_global.depth++);
    on (release, releaseOutside)
    stopDrag ();   
    this.swapDepths(_global.depth++);   
    if (this._x > 493.250000 && this._x < 636.050000 && this._y > 142.900000 && this._y < 271.350000)   
       this.removeMovieClip();   
        } // end if
    but I don't know how to make the _x/_y to work, better said I changed  the values but nothing happend, did I did something wrong ? The first _x/_y stands for the position? I've played with the range values but cant seem to make it happend.

  • How can one make his own mini 5-din MIDI cab

    Dear all,
    I'm stuck with quite a problem over here. Bought an Audigy 2 Platinum a couple of months ago through the Internet and it works like a gem, but................if I want to hook up my soundmodule to it, I'm confronted with the fact that I need a mini 5-din for that and I haven't got a scheme of which wire I've got to put where.
    Standard MIDI is easy:
    3 ?o empty??? empty o?
    ?5. o red??? blue o? 4
    ??? 2? o yellow
    But now the mini plug..................... It's got two holes on the left and three on the right side, but obviously it's quite different from the standard plug, so my question is: how and where do I connect the respectable wires?
    If anyone could help me out on this one I'd be very thankful as this kind of cables aren't for sale anymore over here in Europe.........
    Kind regards,
    Corina van Lierop - AKA Justin98

    http://pinouts.ru/Home/minidin_to_din_pinout.shtml

  • How can I make my own applet changed to Security Domain?

    My delevopment tools is PHILIPS JCOP41v22.Thanks!

    This is the message in the JCOP DEBUG WINDOW
    cm> card-info
    => 80 F2 80 00 02 4F 00 00 .....O..
    (8326 usec)
    <= 08 A0 00 00 00 03 00 00 00 01 9E 90 00 .............
    Status: No Error
    => 80 F2 40 00 02 4F 00 00 [email protected]..
    (8943 usec)
    <= 6A 88 j.
    Status: Reference data not found
    => 80 F2 10 00 02 4F 00 00 .....O..
    (10867 usec)
    <= 05 31 50 41 59 2E 01 00 01 0E 31 50 41 59 2E 53 .1PAY.....1PAY.S
    59 53 2E 44 44 46 30 31 90 00 YS.DDF01..
    Status: No Error
    Card Manager AID : A000000003000000
    Card Manager state : OP_READY
    Load File : LOADED (--------) "1PAY." (PSE)
    Module : "1PAY.SYS.DDF01"
    cm> install -s 315041592E 315041592E5359532E4444463031
    => 80 E6 0C 00 2A 05 31 50 41 59 2E 0E 31 50 41 59 ....*.1PAY..1PAY
    2E 53 59 53 2E 44 44 46 30 31 0E 31 50 41 59 2E .SYS.DDF01.1PAY.
    53 59 53 2E 44 44 46 30 31 01 80 02 C9 00 00 00 SYS.DDF01.......
    (16544 usec)
    <= 69 85 i.
    Status: Conditions of use not satisfied
    jcshell: Error code: 6985 (Conditions of use not satisfied)
    jcshell: Wrong response APDU: 6985

Maybe you are looking for

  • How do you turn on the radio feature?  I don't see it on the home screen.

    How do you turn on the radio feature?  I don't see it on the home screen.

  • Reinstalling lion from app store, can I still have Snow Leopard on a partition?

    I rushed out too early to install Lion via Apple Apps store.  Now, I realize that Rosetta is gone and so are my options to use older apps. I have never partition my hard drive, but using disk utility I created a partition called "Snow Leopard."  It d

  • CC 2014 Dateizuordnung fehlerhaft (Windows 7)

    Hallo, ich benutze Windows 7 und seit kurzer Zeit passen meine Dateizuordnungen nicht mehr. Ich bin mir nicht sicher, ob es seit dem Update auf CC 2014 oder seit dem letzten Windows Update der Fall ist, jedenfalls sind viele Typen (.indd, .aep, .psd,

  • OS X not shutting down

    after quitting all my apps and then going to the apple menu and clicking shut down OS X starts to close down but then goes to a blue screen with a grey spinning circle and sit theres and doesnt seem to finish the shutting down process. This is even a

  • Return Delivery on PO Item History Screen

    Hello, please, does anyone know where the value of a "Return Delivery" comes from? I can find Confirmations values, Invoices, even if I need to bring from ECC (erp). But for "Return Delivery", I have searched in all the FM's and tables that I know, b