Home > Articles > Graphics & Web Design > Dreamweaver & Flash

This chapter is from the book

Changing Movie Clip Properties

Properties are bits of information about an object. A property can be the object's position, how wide it is, what color it is, or how transparent it is. We're going to create a movie, piece by piece, that builds on what we've learned so far and allows the user to change a movie clip's properties. You'll learn several ways to alter a movie clip's properties and a cool way to use startDrag to make little sliders.

Figure 3–7 shows what your finished product will look like.

Figure 07Figure 3–7 Finished movie


Let's start.

  1. Open chapter3/drag_props1.fla.

  2. Click on the fish.

  3. Open the Actions panel.

  4. Enter the following code:

    onClipEvent(keyDown)
    	{
    		if(Key.getCode() == Key.LEFT)
    		{
    				this._x = this._x - 3;
    		}
    }
  5. Control Test Movie. You can move the fish to the left by pressing the left arrow key. It works if you hold the key down as well.

Again, I'm throwing a few new things at you at once. Let's go over them one at a time.

onClipEvent(keyDown)

This is a movie clip's answer to on(keyPress "[some key]"). Notice we don't spell out which key is being pressed in the first line, which on(keyPress) required us to do. If the user presses any key on the keyboard, this keyDown is called.

if (Key.getCode() = = Key.LEFT)

Here's a new object called Key. It's an object that Flash comes with. It isn't an object like a movie clip—it's an object ActionScript can see, but it doesn't appear in any movie. If you want to do anything with the keyboard and a movie clip, you'll probably be using the Key object in some way. If you're new to objects, the whole concept may seem a little weird to you, but keep plugging away and it'll sink in eventually (it takes everyone a while to get it the first time).

One of the methods associated with the Key object is getCode(), which returns the character code of the last key pressed. Each key on your keyboard has a numeric character code. For example, the code of the left arrow is 37. If you press the left arrow, the Key.getCode() sees your left arrow press and translates it to a 37.

Fortunately, this doesn't mean you have to know all the character codes in order to write ActionScript. The Key object also has some properties that provide us with shortcuts. These shortcuts are in the form

Key.KEYNAME

For example, Key.LEFT returns the character code of the left arrow (37). Key.SPACE returns the character code for the space bar (32).

So if(Key.getCode() == Key.LEFT) sees if the character code of the last key pressed (Key.getCode()) is the same as the character code of the left arrow key (Key.LEFT). We could've written

if(Key.getCode() == 37)

and gotten the same result, but (1) no one wants to remember all those character codes, and (2) it's a lot easier to debug when you use words instead of numbers.

See the double equals sign? That's how we signify equality in an if statement. We use a single equals sign when we want to assign a value to a variable.

_x

A movie clip's horizontal position is its _x property. It's measured from the left edge of the movie to the movie clip's center. A movie clip's center is determined by wherever the little crosshairs are when you're viewing that movie clip's symbol. When you use _x, you have to be clear which _x you're talking about. That's why we used this._x, because Flash needs to know which movie clip's horizontal position you want.

Now let's add the rest of the arrows:

onClipEvent(keyDown)
{
		if(Key.getCode() == Key.LEFT)
		{
				this._x = this._x - 3;
		}
		else if(Key.getCode() == Key.RIGHT)
		{
				this._x = this._x + 3;
		}
		else if(Key.getCode() == Key.UP)
		{
				this._y = this._y - 3;
		}
		else if(Key.getCode() == Key.DOWN)
		{
				this._y = this._y + 3;
		}
}

There are two new things to notice here: the else if statement and the _y property. We use else if instead of this:

if(Key.getCode() == Key.LEFT)
{
		this._x = this._x - 3;
}
if(Key.getCode() == Key.RIGHT)
{
		this._x = this._x + 3;
}
if(Key.getCode() == Key.UP)
{
		this._y = this._y - 3;
}
if(Key.getCode() == Key.DOWN)
{
		this._y = this._y + 3;
}

because Flash can process else ifs faster than it can check all four if statements each time. It's not a huge speed difference, but it helps a little, and it's just good programming style—there's no reason to check if the right key was hit if we already know the left one was.

As you might have guessed, _y is the vertical position of the movie clip, measured from the top of the movie.

If you haven't already, test the movie and use all four arrow keys.

Good—we have a moving fish. Let's add a cool slider. The first slider will control the fish's _alpha property, which sets how transparent the object is. An _alpha of 100 means the object is completely opaque, and an _alpha of 0 means that the object is completely transparent. An object's default alpha setting is 100.

  1. Open chapter3/drag_props2.fla.

  2. Notice there are some new pieces on the stage: some extra text, a slider bar, and a slider, shown in Figure 3–8. Also, notice that each instance has a different name. This is necessary—otherwise, Flash doesn't know which instance is what.

    Figure 08Figure 3–8 drag_props2.fla stage


  3. Go to the first frame of the actions layer, and go to Window Actions. Make sure you're entering a frame action.

  4. Enter the following code:

    // Get boundaries and position of the slider bar
    alphaBounds = alphaBar.getBounds(_root);
    _root.alphaBarXMin = alphaBounds.xMin;
    _root.alphaBarXMax = alphaBounds.xMax;
    _root.alphaBarYMid = alphaBar._y;
    
    // Set slider position on slider bar
    alphaSlider._x = _root.alphaBarXMin;
    alphaSlider._y =_root.alphaBarYMid;

Whoa! I hear you say. What's all this? What we're doing here is positioning the little slider (called alphaSlider) exactly where we want it on the slider bar (called alphaBar). Why do this? Why not just place it where we want to on the stage and not worry about all this? Well, we could certainly do that, but since the slider is always going to be on the slider bar, this code lets us experiment with placing the slider bar, thus not having to spend a bunch of time repositioning the slider. This is especially helpful if you have a lot of movie clips that depend on the placement of another movie clip. It just takes out the guesswork.

Let's start dissecting this chunk of code.

alphaBounds = alphaBar.getBounds(_root);

If we're going to position the slider on the slider bar, we have to figure out where the slider bar is. The getBounds function returns four values: xMin, xMax, yMin, and yMax, which correspond to the left, right, top, and bottom edges of the movie clip in question. We're getting the edges of the movie clip alphaBar, which is the slider bar, in relation to the whole movie (_root). It may seem like odd syntax, but it works.

But if getBounds() returns four values, not just one, how do we get to those four values? We assign all four values to alphaBounds. This isn't a variable, though it looks like one. The line of code creates a small object called alphaBounds. The object alphaBounds we just created has four properties:

  • alphabounds.xMin
  • alphaBounds.xMax
  • alphaBounds.yMin
  • alphaBounds.yMax

So, we just created an object out of thin air! This isn't a movie clip object—it won't show up anywhere in the movie. It's a different beast, but still an object.

Global Variables

The next block of code creates some global variables.

_root.alphaBarXMin = alphaBounds.xMin;
_root.alphaBarXMax = alphaBounds.xMax;
_root.alphaBarYMid = alphaBar._y;

We've dealt with variables before, but those were all local variables (all variables are either local or global). That is, they worked as long as they were inside their little curly braces, {}. Outside of their braces, they have no meaning. For example,

onClipEvent(enterFrame)
{
		x = 5;
}

onClipEvent(keyDown)
{
		trace(x);
}

This wouldn't work. If you ran this movie, the keyDown function has no idea what x is, and the output window would be blank. To make x visible, change the code to

onClipEvent(enterFrame)
{
		_root.x = 5;
}

onClipEvent(keyDown)
{
		trace(_root.x);
}

Pressing a key would then result in a little output window with a 5 in it. Adding _root makes x a global variable, which means that it can be seen by every action in the movie, no matter where the action is.

We're creating _root.alphaBarXMin, _root.alphaBarXMax, and _root.alphaBarYMid as global variables because we're going to be using them later. We're not using yMin or yMax because, as it ends up, we don't need them—vertical-wise, we only want to know where the vertical center of the slider bar is, not where vertical edges are. We get the vertical center by looking at _y, not yMin or yMax.

Positioning the Slider

Here's where we set the slider in its proper position.

// Set slider position on slider bar
	alphaSlider._x = _root.alphaBarXMin;
alphaSlider._y =_root.alphaBarYMid;

There isn't anything terribly new here. We're setting the _x and _y positions of the alphaSlider object, and we're setting them according to a couple of global variables.

Making the Slider Slide

Let's add some movement to this little slider guy. We want the slider to move, but only in a certain way and under certain conditions:

  • The slider only slides along the slider bar.

  • The slider moves only if the user presses down the mouse button while on top of the slider.

  • When the user lifts the mouse button up, the slider stops moving.

Let's tackle these one at a time. First, let's make sure the slider only moves along the slider bar. Fortunately, the startDrag function gives us an easy way to do that.

  1. Click on the slider object.

  2. Open the Actions panel.

  3. Enter this code:

    onClipEvent(mouseDown) 
    {
    		startDrag(this, true, _root.alphaBarXMin,
    		_root.alphaBarYMid, _root.alphaBarXMax,
    		_root.alphaBarYMid);
    }
  4. Control Test Movie.

We've added some attributes to the startDrag function. Here's the syntax:

startDrag(movieClipName, true/false, left edge, top edge, right edge, bottom edge)

All those edges define a box that limits where the object can be dragged. Once the user's mouse moves outside that box, the object follows the mouse cursor as best it can, but stays within its box. To define the edges of the box, we used the global variables that were set by the first frame's actions. Notice the top edge and bottom edge are the same variable. That's because we want the slider to move in a straight line back and forth—we don't want any vertical slider movement.

So the slider isn't going anywhere it shouldn't, but you can't stop the sliding. When the mouse button goes up, the slider is still moving. We can fix that with:

onClipEvent(mouseUp) 
{
		stopDrag();
}

You don't need to specify which object doesn't get dragged anymore. Since only one object can be dragged at a time, stopDrag disables whatever dragging is currently going on.

There's one more thing we need to do to make this slider move correctly. We only want it to slide when the user clicks on the slider itself, not anywhere in the movie. To accomplish this, we're going to bring back the getBounds function. Type the following code into the slider's object actions:

onClipEvent(mouseDown) 
{
		// Get the boundaries for the slider
		bounds = this.getBounds(_root);
		
		// See if the user clicked inside the slider
		if((_root._xmouse <= bounds.xMax) && 
				(_root._xmouse >= bounds.xMin) && 
				(_root._ymouse <= bounds.yMax) && 
				(_root._ymouse >= bounds.yMin))
		{
				startDrag(this, true, _root.alphaBarXMin,
				_root.alphaBarYMid, _root.alphaBarXMax,
				_root.alphaBarYMid);
		}
}

onClipEvent(mouseUp) 
{
		stopDrag();
}

Go ahead and test the movie.

With this latest modification, every time the user presses the mouse button, this code creates a little invisible object called bounds that holds the boundaries of the slider itself. Once that's done, the code looks at two new properties called _xmouse and _ymouse. These properties are the horizontal and vertical positions of the user's mouse. We added _root, so we get those coordinates in relation to the movie as a whole. We then check to see if the user's mouse coordinates are within the bounds of the slider. If they are, then dragging begins. If not, then nothing happens.

See the double &&? That's how we say AND in an if statement. For example, if we want to see "if A and B are true" the code looks like

if(A && B)

Both A and B must be true for the whole expression to be evaluated as true.

Still with me? If so, congrats—you're learning a lot, quickly. Onward!

What we want the slider to actually do is change the _alpha property of the fish. As it turns out, we can't place this change of _alpha inside the onClipEvent(mouseDown), because that chunk of code is only executed the first time the user presses down on the mouse button. We want this _alpha property to be changed continually as long as the mouse cursor is in the movie.

Here's how we do it:

onClipEvent(enterFrame)
{
		xPos = _root._xmouse;
		percentage = 100 * ((_root.alphaBarXMax - 
		xPos)/(_root.alphaBarXMax - _root.alphaBarXMin));
		_root.fish._alpha = percentage;
}

Add this code to the Actions panel with onClip-Event(mouseDown) and onClipEvent(mouseUp). Now test the movie (see Figure 3–9).

Figure 09Figure 3–9 Making the fish disappear


There's only one problem left. Did you notice it? Once you let go of the mouse button, the slider stays in place, but the _alpha property still changes if you keep moving the mouse! Somehow, we have to tell the code to stop changing _alpha when the user stops dragging. We can do this by creating yet another variable called _root.alphaDrag, which will be either true or false. If it's true, _alpha can change. If it's false, then _alpha won't change.

Here's how to implement it.

  1. Because we're thorough little coders, we create the variable in the frame action of the actions layer. Add this line to the existing variables:

    _root.alphaDrag = false;
  2. Now, go back to the slider's actions, and make the code look like this:

    onClipEvent(mouseDown) 
    {
    		// Get the boundaries for the slider
    		bounds = this.getBounds(_root);
    		
    		// See if the user clicked inside the slider
    		if((_root._xmouse <= bounds.xMax) && 
    (_root._xmouse >= bounds.xMin) && 
    				(_root._ymouse <= bounds.yMax) && 
    (_root._ymouse >= bounds.yMin))
    
    		{
    				startDrag(this, true, _root.alphaBarXMin, 
    _root.alphaBarYMid, _root.alphaBarXMax, 
    _root.alphaBarYMid);
    				_root.alphaDrag = true;
    		}
    }
    
    onClipEvent(mouseUp) {
    		stopDrag ();
    		_root.alphaDrag = false;
    }
    
    onClipEvent(enterFrame)
    {
    		if(_root.alphaDrag)
    		{
    				xPos = _root._xmouse;
    				percentage = 100 * ((_root.alphaBarXMax - 
    xPos)/(_root.alphaBarXMax - _root.alphaBarXMin));
    				_root.fish._alpha = percentage;
    		}
    }

About the Code

Let's look at what we did. In the first function, we added _root.alphaDrag = true right after startDrag. That announces to the rest of the movie, "The alpha slider is being dragged by the user!" In the mouseUp section, the user has released the mouse button, and _root.alphaDrag = false announces, "The user is not dragging the alpha slider!"

In the enterFrame section, we check if the user is dragging the alpha slider or not. If so, then _root.alphaDrag is true, and the statements changing the _alpha property are executed. If _root.alphaDrag is false, then the user isn't dragging the slider, and nothing changes.

Congrats! You made a working slider that not only moves like a slider should, but actually does something! If you understand what you've just done, that's an accomplishment, and you're well on your way to creating some fantastic Flash movies.

Now let's make this little movie something a little bigger and more fun to use.

  1. Open chapter3/drag_props3.fla (see Figure 3–10).

    Figure 10Figure 3–10 The final layout


  2. Don't panic. We've done all the hard work already. To make these sliders work, and do what we want them to, it's a matter of copying, pasting, and tweaking.

  3. Click on the first frame in the actions layer, and open up the Actions panel.

  4. Enter the following code:

    // Set variables
    	alphaBounds = _root.alphaBar.getBounds(_root);
    _root.alphaBarXMin = alphaBounds.xMin;
    _root.alphaBarXMax = alphaBounds.xMax;
    _root.alphaBarYMid = _root.alphaBar._y;
    
    heightBounds = _root.heightBar.getBounds(_root);
    _root.heightBarXMin = heightBounds.xMin;
    _root.heightBarXMax = heightBounds.xMax;
    _root.heightBarYMid = _root.heightBar._y;
    
    widthBounds = _root.widthBar.getBounds(_root);
    _root.widthBarXMin = widthBounds.xMin;
    _root.widthBarXMax = widthBounds.xMax;
    _root.widthBarYMid = _root.widthBar._y;
    
    rotateBounds = _root.rotateBar.getBounds(_root);
    _root.rotateBarXMin = rotateBounds.xMin;
    _root.rotateBarXMax = rotateBounds.xMax;
    _root.rotateBarYMid = _root.rotateBar._y;
    
    _root.alphaDrag = false;
    _root.heightDrag = false;
    _root.widthDrag = false;
    _root.rotateDrag = false;
    
    
    // set slider positions
    _root.alphaSlider._x = _root.alphaBarXMin;
    _root.alphaSlider._y =_root.alphaBarYMid;
    
    _root.heightSlider._x = (_root.heightBarXMin + 
    _root.heightBarXMax)/2;
    _root.heightSlider._y =_root.heightBarYMid;
    
    _root.widthSlider._x = (_root.widthBarXMin + 
    _root.widthBarXMax)/2;
    _root.widthSlider._y =_root.widthBarYMid;
    
    _root.rotateSlider._x = (_root.rotateBarXMin + _
    root.rotateBarXMax)/2;
    _root.rotateSlider._y =_root.rotateBarYMid;
  5. Remember, don't panic. All we're doing is copying the code from the alpha code and pasting it four times. Then, we're tweaking it some so that we have four separately named sliders and slider bars. There's only one small difference—the latest sliders are positioned in the middle of the bar instead of on the end.

  6. Click on the slider under the _yscale heading. The slider's name is heightSlider.

  7. Enter the following code (it should look familiar):

    onClipEvent(mouseDown) 
    {
    		// get the boundaries for the slider
    		bounds = this.getBounds(_root);
    				
    		// see if the user clicked inside the slider
    		if((_root._xmouse <= bounds.xMax) && 
    				(_root._xmouse >= bounds.xMin) && 
    				(_root._ymouse <= bounds.yMax) && 
    				(_root._ymouse >= bounds.yMin))
    		{		
    		   startDrag(this, true, _root.heightBarXMin,		
    		 _   root.heightBarYMid, _root.heightBarXMax,
    				 _root.heightBarYMid);
    				_root.heightDrag = true;
    		}
    }
    
    onClipEvent(mouseUp) {
    		stopDrag();
    		_root.heightDrag = false;
    }
    
    onClipEvent(enterFrame)
    {
    		if(_root.heightDrag)
    		{
    				xPos = _root._xmouse;
    				percentage = 200 * (( xPos -
    		_root.heightBarXMin)/(_root.heightBarXMax - 
    		_root.heightBarXMin));
    				//trace(percentage);
    				_root.fish._yscale = percentage;
    		}
    }
  8. Control Test Movie.

The _yscale slider affects the height of the fish, and it's expressed as a percentage. So a _yscale of 0 is a perfectly flat image, and a _yscale of 200 stretches the image vertically to twice its original height.

Now let's do the same to the _xscale slider.

  1. Click on the _xscale slider. It's called widthSlider.

  2. Open the Object Actions panel.

  3. Enter the following code:

    onClipEvent(mouseDown) 
    {
    		// Get the boundaries for the slider
    		bounds = this.getBounds(_root);
    				
    		// see if the user clicked inside the slider
    		if((_root._xmouse <= bounds.xMax) && 
    				(_root._xmouse >= bounds.xMin) && 
    				(_root._ymouse <= bounds.yMax) && 
    				(_root._ymouse >= bounds.yMin))
    		{
    				startDrag(this, true, _root.widthBarXMin,	
    			 _root.widthBarYMid, _root.widthBarXMax,		
    		 _root.widthBarYMid);
    				_root.widthDrag = true;
    		}
    }
    
    onClipEvent(mouseUp) {
    		stopDrag();
    		_root.widthDrag = false;
    }
    
    onClipEvent(enterFrame)
    {
    		if(_root.widthDrag)
    		{
    				xPos = _root._xmouse;
    				percentage = 200 * (( xPos -
    					root.widthBarXMin)/(_root.widthBarXMax -
    					root.widthBarXMin));
    					root.fish._xscale = percentage;
    		}
    }
  4. Test the movie.

The _xscale slider affects the width of the fish in much the same way _yscale affects the height. It's also expressed as a percentage. Now, let's finish the final slider.

  1. Click on the slider under the _rotation heading.

  2. Open up the Object Actions panel.

  3. Enter the following code:

    onClipEvent(mouseDown) 
    {
    		// Get the boundaries for the slider
    		bounds = this.getBounds(_root);
    				
    		// see if the user clicked inside the slider
    		if((_root._xmouse <= bounds.xMax) && 
    				(_root._xmouse >= bounds.xMin) && 
    				(_root._ymouse <= bounds.yMax) && 
    				(_root._ymouse >= bounds.yMin))
    		{
    				//trace("rotate on");
    				startDrag(this, true, _root.rotateBarXMin, 
    					root.rotateBarYMid, _root.rotateBarXMax, 
    					root.rotateBarYMid);
    					_root.rotateDrag = true;
    		}
    }
    
    onClipEvent(mouseUp) {
    		stopDrag ();
    		_root.rotateDrag = false;
    }
    
    onClipEvent(enterFrame)
    {
    		if(_root.rotateDrag)
    		{
    				xPos = _root._xmouse;
    				percentage = ( xPos -
    				_root.rotateBarXMin)/(_root.rotateBarXMax - 
    				_root.rotateBarXMin);
    				rotation = (percentage * 720) - 360
    				_root.fish._rotation = rotation;
    		}
    }
  4. Test that movie.

The _rotation property affects, well, the rotation of an image. It is expressed in degrees. Positive degrees are in the clockwise direction, and negative degrees are in the counterclockwise direction. All images have a default _rotation of zero.

Check out chapter3/drag_props_done.fla to see the finished movie with all the code in place.

A Note About _xscale and _yscale

If you spin the fish part way, and then change the _xscale and _yscale, you'll notice that they don't quite affect the width and height of the viewing image—they change the height and width of the symbol in its original orientation. You have to try this to really understand it.

A Challenge

Create a single movie clip that contains the bar and the slider. Drag four of those instances to the stage and use those instead of the symbols that are there now.

InformIT Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from InformIT 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 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 information@informit.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 InformIT. 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.informit.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