Publishers of technology books, eBooks, and videos for creative people

Home > Articles > Design > Adobe Creative Suite

This chapter is from the book

The Contextual Menu

In the playback of any Flash movie, a contextual menu appears when you right-click (Windows) or Control-click (Mac) on the movie. There are three different types of contextual menus: a standard menu that appears over any part of the Stage, an edit menu that appears over text fields, and an error menu (Figure 4.55). You can customize, to a certain extent, the items that appear in the standard and edit menus through the ContextMenu class. You can disable certain items or create your own custom items with the related ContextMenuItem class. You can even make different contextual menus appear over different objects like buttons, movie clips, or text fields.

Figure 4.55

Figure 4.55 The standard contextual menu (left), and the edit contextual menu that appears over selectable text fields (right).

Manipulating the contextual menu first requires that you instantiate a new object of the ContextMenu class, like so:

var myMenu:ContextMenu = new ContextMenu();

After you have a new ContextMenu object, you can call its methods or set its properties to customize the items that appear. All the default menu items are properties of the object builtInItems. Setting each property to true or false enables or disables that particular item in the menu. For example, the following statement disables the print item in the ContextMenu object called myMenu:

myMenu.builtInItems.print = false;

See Table 4.3 for the properties of the builtInItems object of the ContextMenu class.

Finally, you must associate your ContextMenu object with the contextMenu property of another object, such as the main Stage, a text field, or a specific movie clip, like so:

myObject_mc.contextMenu = myMenu;

Table 4.3. builtInItems Properties

Property

Value

Menu Items

forwardAndBack

True or false

Forward, Back

save

True or false

Save

zoom

True or false

Zoom in, Zoom out, 100%, Show all

quality

True or false

Quality

play

True or false

Play

loop

True or false

Loop

rewind

True or false

Rewind

print

True or false

Print

If you associate your ContextMenu object with a specific button or movie clip, your custom contextual menu will appear when the user activates the contextual menu while the mouse pointer is over that object. For example, a map can have the Zoom item in its contextual menu enabled, whereas other objects may have the Zoom item in their contextual menu disabled.

To disable the contextual menu

  1. Select the first frame of the main Timeline, and open the Actions panel.
  2. On the first line of the Script pane, instantiate a new ContextMenu object:
    var myMenu:ContextMenu=new ContextMenu();
    A new ContextMenu object is named and created.
  3. On the next line of the Script pane, call the hideBuiltInItems() method of your ContextMenu object like so:
    myMenu.hideBuiltInItems();
    This method sets all the properties of the builtInItems object of myMenu to false, which hides the items of the contextual menu.
  4. On the third line of the Script pane, assign your ContextMenu object to the contextMenu property of the Stage as follows:
    this.contextMenu = myMenu;
    The ContextMenu object now becomes associated with the main Stage, so the default items of the main Timeline's contextual menu are hidden. The only items that remain are Settings, Show Redraw Regions, and Debugger (Figure 4.56).
    Figure 4.56

    Figure 4.56 By using the hideBuiltInItems() method, you disable all built-in (default) items of the contextual menu. The final code (top) hides all the default items except for the Settings and Debugger items (bottom). The Show Redraw Regions item appears only in debugger versions of the Flash Player and won't appear for regular users.

To associate custom contextual menus with different objects

  1. Continue with the preceding task. Starting on the next available line in the Script pane, declare another ContextMenu object and instantiate the object using the constructor function, new ContextMenu().

    A second ContextMenu object is named (in this example, called myZoomMenu) and created (Figure 4.57).

    Figure 4.57

    Figure 4.57 A new ContextMenu object named myZoomMenu has been created.

  2. Add a call to the hideBuiltInItems() method for your new ContextMenu instance.

    The items of your second ContextMenu object, like the first, are disabled.

  3. Assign a true value to the zoom property of the builtInItems object of your second ContextMenu object like so:
    myZoomMenu.builtInItems.zoom = true;
    This makes the Zoom item enabled in your second ContextMenu instance.
  4. On the next line of the Script pane, assign your second contextual menu to the contextMenu property of an object on the Stage like so:
    map_mc.contextMenu = myZoomMenu;
    In this example, the completed statement associates the second ContextMenu object with the movie clip instance called map_mc (Figure 4.58).
    Figure 4.58

    Figure 4.58 The completed script (top). The contextual menu that is attached to the Stage has its default items hidden. The contextual menu that is attached to the movie clip called map_mc contains the Zoom In item.

Creating new contextual menu items

You can add your own items in the contextual menu by creating new objects from the ContextMenuItem class. Each new item requires that you instantiate a separate ContextMenuItem object with a string parameter, as in the following code:

var myFirstItem:ContextMenuItem = new ContextMenuItem("First Item");

The parameter represents the text that will be displayed for the item in the contextual menu. Because it's a string, use quotation marks around the enclosed text. There are certain size and content restrictions on new menu items—see the sidebar "Custom Item Restrictions" for details.

Next, you must add your new ContextMenuItem object to the customItems property of your ContextMenu object. However, the customItems property is different from the builtInItems property you learned about in the preceding section. The customItems property is an array, which is an ordered list of values or objects. (You can learn more about arrays in Chapter 11.) In order to add your new ContextMenuItem object to the customItems array, use the array method push(), as in the following code:

mymenu.customItems.push(myFirstItem);

Finally, you have to create an event handler to respond when the user selects your new contextual item. The Event object that is dispatched when an item on the contextual menu is selected is a ContextMenuEvent object. You can use ContextMenuEvent.MENU_ITEM_SELECT as the specific event type.

To create a new item for the contextual menu

  1. Select the first frame of the main Timeline, and open the Actions panel.
  2. In the Script pane, create a new ContextMenu object as in previous tasks. The completed code looks like this:
    var mymenu:ContextMenu = new ContextMenu();
  3. Starting on the next line, hide the default items in the contextual menu:
    mymenu.hideBuiltInItems();
  4. Next, instantiate a new ContextMenuItem object for your first item:
    var myFirstItem:ContextMenuItem=new ContextMenuItem("Flip");
    A new ContextMenuItem is instantiated. Be sure to enclose the parameter, which represents the title of your item, in quotation marks.
  5. On the next line, add a call to the Array class's push() method with the name of your ContextMenuItem as its parameter:
    mymenu.customItems.push(myFirstItem);
    The completed statement adds your ContextMenuItem object to the customItems array of your ContextMenu object.
  6. On the following line, assign the ContextMenu object to the contextMenu property of an object on the Stage.
    picture_mc.contextMenu = mymenu;
    In this example, your contextual menu now becomes associated with the movie clip called picture_mc (Figure 4.59).
    Figure 4.59

    Figure 4.59 A new ContextMenuItem object called myFirstItem is created with one parameter: the name of the item ("Flip"). The ContextMenuItem called myFirstItem is put into the customItems array.

  7. You're not done yet! Finally you must create the event handler. Create a function with the ContextMenuEvent object as its parameter, like so:
    function selectFlip (myevent:ContextMenuEvent):void {
         picture_mc.rotation+=180;
    }
    The actions that should happen when the user selects your custom item in the contextual menu go in between the function's curly braces.
  8. Now add the listener :
    myFirstItem.addEventListener (ContextMenuEvent.MENU_ITEM_SELECT, selectFlip);
    Note that the listener goes on the ContextMenuItem object and not on the object on the Stage or on the ContextMenu object. The completed code (Figure 4.60) attaches a custom item to the contextual menu. When the user right-clicks on the object on the Stage called picture_mc and selects Flip, the object rotates 180 degrees.
    Figure 4.60

    Figure 4.60 The final code (top) makes the custom item show up at the top of the contextual menu when right-clicked over picture_mc (middle). When the custom item is selected, the MENU_ITEM_SELECT event occurs and Flash responds by rotating the picture 180 degrees (bottom).

Peachpit Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from Peachpit and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about Peachpit products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites; develop new products and services; conduct educational research; and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email ask@peachpit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by Adobe Press. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.peachpit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020