Home > Articles > Data > SQL Server

This chapter is from the book

Building the Stock Application's ADF

The ADF for the stock application defines its schemas and logic, as well as its component configuration. The schemas describe the size and shape of events, subscriptions, and notifications; the logic defines how events and subscriptions are matched to produce notifications. The component configuration tells SQL-NS how to actually run the application.

Table 3.1 shows the high-level structure of the ADF (with the application-specific details removed). Think of this as a basic outline for every ADF you will ever write. A root <Application> element contains various other XML elements that define the parts of the application. This section describes the content that goes in each of these XML elements to create a real application.

NOTE

I've left some optional ADF elements out of Table 3.1 for clarity. These include the <History>, <Version>, <ApplicationExecutionSettings>, and <Database> elements. These elements are described in the SQL-NS Books Online, and some of them are discussed in Chapter 11, "Debugging Notification Generation"; Chapter 12, "Performance Tuning"; and Chapter 13, "Deploying a Notification Services Application."

Table 3.1 Basic Structure of the ADF

XML Element

Purpose

<?xml version="1.0"

Standard XML header encoding="utf-8" ?>

<Application xmlns:xsd=http://www.w3.org/2001/XMLSchema
xmlns:xsi=http://www.w3.org/2001/XMLSchema-instance
xmlns="...">

Root element that contains all of the application definition

<EventClasses></EventClasses>

Defines schemas for the events the application will receive

<SubscriptionClasses></SubscriptionClasses>

Defines schemas and matching logic for the subscriptions the application will support

<NotificationClasses></NotificationClasses>

Defines schemas for the notifications the application will send

<Providers></Providers>

Configures the application's event providers

<Generator></Generator>

Configures the generator component that matches events with subscriptions

<Distributors></Distributors>

Configures the distributor components that deliver notifications

</Application>

Closing tag for the root element


The first three sub-elements under <Application>, <Event Classes>, <SubscriptionClasses>, and <NotificationClasses>, contain all the schemas and logic. The rest of the elements provide the component configuration.

The Completed ADF

Before delving into the details of each specific section, take a look at the completed ADF, shown in Listing 3.1. I'm including this here, even before I explain what any of it means, because I find that with almost any program, it helps to get a feel for the code by looking at it from beginning to end. Just by glancing at it, the ADF will probably make some sense to you, even without further explanation. The following sections describe the important parts in detail.

Listing 3.1 The Completed Stock ADF

<?xml version="1.0" encoding="utf-8" ?>
<Application xmlns:xsd=" 
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
 xmlns="http://www.microsoft.com/MicrosoftNotificationServices/
ApplicationDefinitionFileSchema">
  <EventClasses>
    <EventClass>
      <EventClassName>StockPriceChange</EventClassName>
      <Schema>
        <Field>
          <FieldName>StockSymbol</FieldName>
          <FieldType>nvarchar(10)</FieldType>
          <FieldTypeMods>not null</FieldTypeMods>
        </Field>
        <Field>
          <FieldName>StockPrice</FieldName>
          <FieldType>decimal(10,2)</FieldType>
          <FieldTypeMods>not null</FieldTypeMods>
        </Field>
      </Schema>
    </EventClass>
  </EventClasses>
  <SubscriptionClasses>
    <SubscriptionClass>
      <SubscriptionClassName>StockPriceHitsTarget 
</SubscriptionClassName> <Schema> <Field> <FieldName>StockSymbol</FieldName> <FieldType>nvarchar(10)</FieldType> <FieldTypeMods>not null</FieldTypeMods> </Field> <Field> <FieldName>StockPriceTarget</FieldName> <FieldType>decimal(10,2)</FieldType> <FieldTypeMods>not null</FieldTypeMods> </Field> </Schema> <EventRules> <EventRule> <RuleName>MatchStockPricesWithTargets</RuleName> <Action> SELECT dbo.StockAlertNotify( subscriptions.SubscriberId, N'DefaultDevice', N'en-US', events.StockSymbol, events.StockPrice, subscriptions.StockPriceTarget) FROM StockPriceChange events JOIN StockPriceHitsTarget subscriptions ON events.StockSymbol =
subscriptions.StockSymbol WHERE events.StockPrice &gt;=
subscriptions.StockPriceTarget </Action> <EventClassName>StockPriceChange</EventClassName> </EventRule> </EventRules> </SubscriptionClass> </SubscriptionClasses> <NotificationClasses> <NotificationClass> <NotificationClassName>StockAlert</NotificationClassName> <Schema> <Fields> <Field> <FieldName>StockSymbol</FieldName> <FieldType>nvarchar(10)</FieldType> </Field> <Field> <FieldName>StockPrice</FieldName> <FieldType>decimal(10,2)</FieldType> </Field> <Field> <FieldName>StockPriceTarget</FieldName> <FieldType>decimal(10,2)</FieldType> </Field> </Fields> </Schema> <ContentFormatter> <ClassName>XsltFormatter</ClassName> <Arguments> <Argument> <Name>XsltBaseDirectoryPath</Name> <Value>%_ApplicationBaseDirectoryPath_%</Value> </Argument> <Argument> <Name>XsltFileName</Name> <Value>StockAlert.xslt</Value> </Argument> </Arguments> </ContentFormatter> <Protocols> <Protocol> <ProtocolName>File</ProtocolName> </Protocol> </Protocols> </NotificationClass> </NotificationClasses> <Providers> <HostedProvider> <ProviderName>StockEventProvider</ProviderName> <ClassName>FileSystemWatcherProvider</ClassName> <SystemName>%_NSServer_%</SystemName> <Arguments> <Argument> <Name>WatchDirectory</Name> <Value>%_ApplicationBaseDirectoryPath_%\ EventsWatchDirectory</Value> </Argument> <Argument> <Name>SchemaFile</Name> <Value>%_ApplicationBaseDirectoryPath_%\ StockPriceChangeEventSchema.xsd</Value> </Argument> <Argument> <Name>EventClassName</Name> <Value>StockPriceChange</Value> </Argument> </Arguments> </HostedProvider> </Providers> <Generator> <SystemName>%_NSServer_%</SystemName> </Generator> <Distributors> <Distributor> <SystemName>%_NSServer_%</SystemName> </Distributor> </Distributors> </Application>

Schemas and Logic

This section describes the ADF syntax used to define the event, subscription, and notification schemas. This section also shows how the matching logic, expressed as a SQL join, is specified in the ADF.

Event Schemas

For each type of event that the application receives (there can be more than one), you must declare an event class in the <EventClasses> element of the ADF.

The stock application uses only a single type of event: a change in the trading price of a stock. Within the <EventClasses> element of the ADF, you declare an <EventClass> for this type of event, as shown in Listing 3.2.

Listing 3.2 Declaration of the StockPriceChange Event Class

<EventClass>
  <EventClassName>StockPriceChange</EventClassName>
  <Schema>
    <Field>
      <FieldName>StockSymbol</FieldName>
      <FieldType>nvarchar(10)</FieldType>
      <FieldTypeMods>not null</FieldTypeMods>
    </Field>
    <Field>
      <FieldName>StockPrice</FieldName>
      <FieldType>decimal(10,2)</FieldType>
      <FieldTypeMods>not null</FieldTypeMods>
    </Field>
  </Schema>
</EventClass>

The declaration provides a name, StockPriceChanges, for the event class and a schema for the event data. The schema declaration should look familiar to you if you've built database schemas before: The syntax is basically an XML version of a SQL CREATE TABLE statement. It declares a set of fields, specifying a data type and, optionally, a type modifier (such as not null) for each.

When building the application's database, the SQL-NS compiler processes this event class declaration and constructs the underlying table that ultimately stores the events. It creates a column for each of the fields declared and adds some other columns used for internal tracking.

Subscription Schemas

Just as you have to declare an event class for each type of event the application receives, you also have to declare a subscription class for each type of subscription that the application supports. This simple stock application has only one type of subscription: a request to be notified when a stock hits a particular price target. In the completed ADF, this subscription class declaration goes within the <SubscriptionClasses> element. Listing 3.3 shows the subscription class declaration.

Listing 3.3 Declaration of the StockPriceHitsTarget Subscription Class

<SubscriptionClass>
  <SubscriptionClassName>StockPriceHitsTarget</SubscriptionClassName>
  <Schema>
    <Field>
      <FieldName>StockSymbol</FieldName>
      <FieldType>nvarchar(10)</FieldType>
      <FieldTypeMods>not null</FieldTypeMods>
    </Field>
    <Field>
      <FieldName>StockPriceTarget</FieldName>
      <FieldType>decimal(10,2)</FieldType>
      <FieldTypeMods>not null</FieldTypeMods>
    </Field>
  </Schema>
  <EventRules>
  ...
  </EventRules>
</SubscriptionClass>

The subscription class declaration has three subelements: a name, schema, and set of event rules (content not shown in the fragment in Listing 3.3). The schema subelement defines the size and shape of the subscription data. We've said that subscriptions of this class will have the form

"Notify me when the price of stock S goes above price target T."

The subscription data for each subscription then just consists of values for S and T. In the subscription class schema, we've given these fields the more descriptive names StockSymbol and StockPriceTarget and provided their data types and type modifiers.

The rules section, declared in the <EventRules> subelement, contains logic that matches events with subscriptions. This is discussed in the "Matching Logic" section.

Notification Schemas

The <EventClasses> and <SubscriptionClasses> elements define the schemas for the application's events and subscriptions. When the matching logic is applied, the result is a set of notification data that represents the notifications to be sent to subscribers. This notification data has a schema as well, and must be declared in the <NotificationClasses> element of the ADF. This section can contain schema definitions for several types of notifications, but because this example stock application just sends one type of notification, there is just a single <NotificationClass> declaration, shown in Listing 3.4.

Listing 3.4 Declaration of the StockAlert Notification Class

<NotificationClass>
  <NotificationClassName>StockAlert</NotificationClassName>
  <Schema>
    <Fields>
      <Field>
        <FieldName>StockSymbol</FieldName>
        <FieldType>nvarchar(10)</FieldType>
      </Field>
      <Field>
        <FieldName>StockPrice</FieldName>
        <FieldType>decimal(10,2)</FieldType>
      </Field>
      <Field>
        <FieldName>StockPriceTarget</FieldName>
        <FieldType>decimal(10,2)</FieldType>
      </Field>
    </Fields>
  </Schema>
  <ContentFormatter>
    ...
  </ContentFormatter>
  <Protocols>
    ...
  </Protocols>
</NotificationClass>

Much like in the event and subscription class declarations, the <Schema> element provides the names and data types of the notification fields. The <ContentFormatter> section describes how the notification data is formatted for receipt by the subscriber, and the <Protocols> section declares which delivery protocols can be used to actually send the notifications. The <ContentFormatter> and <Protocols> elements are discussed in later chapters.

The StockAlert notification schema has three fields: the stock symbol, stock price, and stock price target. Each row of notification data produced by the matching join contains a value for each of these fields. The stock price field contains the current price of the stock (as indicated by the stock event), and the stock price target field contains the price target specified in the subscription. From this notification data, the application can synthesize formatted stock alert messages such as

"XYZ is now trading at: $55.55. This is greater than or equal to the target price of $50.00."

for delivery to the subscribers.

Matching Logic

The stock application's matching logic is specified in the <EventRules> section of the subscription class. This section contains one or more SQL statements that get executed when events arrive. Each of these SQL statements is called a rule and is declared in an <EventRule> element. Each rule specifies a name, an action (the SQL code that gets executed), and the name of the event class that triggers it.

Listing 3.5 shows the <EventRules> element of the StockPriceHitsTarget subscription class. It declares a single rule, MatchStockPricesWithTargets, that simply matches incoming events with StockPriceHitsTarget subscriptions. The <EventClassName> element of the rule declaration specifies the name of the triggering event class, in this case, StockPriceChange. This instructs the SQL-NS execution engine that, whenever events of the StockPriceChange event class arrive, this event rule must be fired.

Listing 3.5 Event Rules Declaration Within the StockPriceHitsTarget Subscription Class

<EventRules>
  <EventRule>
    <RuleName>MatchStockPricesWithTargets</RuleName>
    <Action>
      ...
    </Action>
    <EventClassName>StockPriceChange</EventClassName>
  </EventRule>
</EventRules>

The matching logic is really specified in the rule's <Action> element. Listing 3.6 shows the contents of the <Action> element.

Listing 3.6 The SQL Matching Logic from the Event Rule's <Action> Element

SELECT dbo.StockAlertNotify(
    subscriptions.SubscriberId, 
    N'DefaultDevice', 
    N'en-US', 
    events.StockSymbol, 
    events.StockPrice, 
    subscriptions.StockPriceTarget)
FROM  StockPriceChange events
    JOIN StockPriceHitsTarget subscriptions
    ON events.StockSymbol = subscriptions.StockSymbol
WHERE events.StockPrice &gt;= subscriptions.StockPriceTarget

This logic is just a SQL join that produces a set of rows that become notification data.

The first thing to look at in this join is the FROM clause. It selects from StockPriceChange joined with StockPriceHitsTarget. Note that these are just the names of the event class and subscription class declared earlier. SQL-NS allows you to use these names directly in the join statement, as though they were SQL tables containing the event and subscription data. StockPriceChange is given the table alias events, and StockPriceHitsTarget is given the table alias subscriptions for clarity. (The names "events" and "subscriptions" are not mandated by SQL-NS; you may use any aliases you want.) Note that the join is on the stock symbol field.

StockPriceChange and StockPriceHitsTarget are not in fact tables, but rather views that SQL-NS sets up at runtime. These views contain just the data against which the rule should operate: The events view contains only the events just submitted that have triggered the rule firing, and the subscriptions view contains only the active subscriptions. (In this simple application, all subscriptions are active, but you'll see in Chapter 6, "Completing the Application Prototype: Scheduled Subscriptions and Application State," and Chapter 7, "The SQL-NS Subscription Management API," that subscriptions can be disabled or scheduled to fire only at certain times.)

The WHERE clause of the join defines a filter that selects only the rows in which the stock price in the event is greater than or equal to the stock price target in the subscription. Note that the XML escape sequence, &gt; is used in place of the > character because this statement appears within an XML document. Use of the > character directly would prevent the document from being well-formed XML.

The join defined in the FROM clause, along with the filter defined in the WHERE clause, implement the matching criteria; the rule defines what it means for an event to match a subscription. (The stock symbols must be the same, and the stock price greater than or equal to the price target.)

The SELECT clause of the join statement calls a function, StockAlertNotify(). It passes this function a set of arguments whose values come from the joined data. Among these arguments are values for the fields in the notification class. The StockAlertNotify() function is provided by SQL-NS: It is created specifically for the notification class, when the notification class is compiled. In fact, SQL-NS creates one such function per notification class, named <NotificationClassName>Notify(). In this application, the notification class name is StockAlert, so the name of the function is StockAlertNotify(). In SQL-NS terms, the function created for any notification class is referred to as the notify function.

Calling the notify function for a particular notification class causes a notification of that notification class to be queued for delivery. Calling the StockAlertNotify() function indicates that the result of a match by this rule should be a StockAlert notification. Internally, the notify function writes the data it is passed into a notification table and updates the internal SQL-NS state to tell the distribution components that the notification data is ready to be formatted and delivered.

The first three parameters to the notify function, as shown in Listing 3.6, are always the same. They are

  • The ID of the subscriber to receive the notification. (Note that even though the subscriber ID is not a declared field in the subscription class schema, it is always present in the subscription class view.)

  • The name of the subscriber's device to which the notification should be sent. (Note that subscriber devices are discussed in more detail in Chapter 7 and Chapter 10, "Delivery Protocols.")

  • The locale for which the notification data should be formatted.

The additional parameters to the notify function are obtained from the fields in the notification class declaration. There is one parameter for each declared field, with the same name and data type as that field. Values of these parameters in the notify function call become values for the corresponding notification fields. If you look at the call to the StockAlertNotify() notify function in Listing 3.6, you'll see that the subscriber ID is obtained from the subscription, the device name and locale are constants, two of the notification fields come from data in the event, and the third comes from data in the subscription.

Component Configuration and the Phases of Processing

Previous sections examined the event, subscription, and notification schemas and the associated rule logic. This section examines the component configuration elements of the ADF. Specifically, these include the <Providers>, <Generator>, and <Distributors> elements.

Each of the components configured in the ADF plays a specific role in the functioning of the application. Before looking at these components and how they're configured, it's important to understand the processing that happens inside a notification application.

SQL-NS separates the functions of a notification application into separate processing phases (see Figure 3.6):

  • Event collection—Gathering events and submitting them to the application

  • Subscription management—Creation, deletion, and alteration of subscriptions

  • Generation—Matching events with subscriptions

  • Distribution—Routing notifications to delivery systems

Each phase is considered independent and is handled by a separate component in the execution engine. The SQL-NS engine may run all these phases concurrently: While one batch of events is being collected, another may be being matched with subscriptions, and an older batch of notifications may be being distributed. The following subsections describe these phases of processing and the components that execute them.

Figure 3.6Figure 3.6 Phases of processing in notification applications.

Event Collection

Event providers are components that collect events and submit them to notification applications. Event providers can gather event data from the outside world proactively, or act as sinks to which external event sources push information. For example, an event provider could be a component that constantly polls an external data source, or it could be a Web service that receives data passed to it by external callers.

An application can have several event providers, each potentially submitting events from a different event source. In the <Providers> element of the ADF, you declare which event providers your application will use and configure the options that control their operation.

SQL-NS provides several built-in event providers that can be used in an application without you having to write any code. You can also build your own event provider for your application that talks to a custom event source. Chapter 7 provides details on all the built-in event providers, as well as the process of building a custom event provider for your application.

Listing 3.7 shows the <Providers> element from the stock application's ADF.

Listing 3.7 The Event Provider Configuration in the ADF

<Providers>
  <HostedProvider>
    <ProviderName>StockEventProvider</ProviderName>
    <ClassName>FileSystemWatcherProvider</ClassName>
    <SystemName>%_NSServer_%</SystemName>
    <Arguments>
      <Argument>
        <Name>WatchDirectory</Name>
        <Value>%_ApplicationBaseDirectoryPath_%\
EventsWatchDirectory</Value>
      </Argument>
      <Argument>
        <Name>SchemaFile</Name>
        <Value>%_ApplicationBaseDirectoryPath_%\
StockPriceChangeEventSchema.xsd</Value>
      </Argument>
      <Argument>
        <Name>EventClassName</Name>
        <Value>StockPriceChange</Value>
      </Argument>
    </Arguments>
  </HostedProvider>
</Providers>

This application uses a single hosted event provider to submit stock events. This event provider is declared and configured in a <HostedProvider> element. The configuration specifies a name for the event provider, the event provider class (which identifies a particular event provider implementation), the server on which it should run, and a set of runtime arguments that it gets passed at startup time.

NOTE

A hosted event provider is one that runs within the SQL-NS Windows Service; an application can also use nonhosted event providers that run as part of a standalone process. Chapter 8, "Event Providers," offers more details on both types and describes when it's appropriate to use each one.

The event provider class name tells the SQL-NS engine which event provider implementation to use. The class name can be either the name of a class that you implement (as described in Chapter 8) or the name of a "built-in" event provider class, provided by SQL-NS. In this case, the stock application uses the built-in event provider class called the FileSystemWatcher. This event provider works by monitoring a directory in the filesystem; when it sees a new XML file added to that directory, it opens the file and submits the data in it as events.

Subscription Management

Most notification applications provide users with a visual interface by which they can manipulate and manage their subscriptions. The form of this interface varies depending on the nature of the pub-sub system. A stock quote application might provide a Web site that a user can use to enter a subscription. A line-of-business application might provide a way to subscribe for notifications directly in its standard Windows user interface.

Whatever the form of the external interface, the implementation of the subscription management system uses an API provided by SQL-NS to insert subscriptions into the notification application. This API also provides facilities for modifying or deleting subscriptions.

There is no subscription management configuration in the ADF. The ADF just contains declarations of subscription classes, but the systems by which subscriptions of those subscription classes are created and submitted to the application are treated as standalone entities that are not configured in the ADF.

Generation

Generation is the phase during which events are matched with subscriptions to produce notifications. The generation component of an application is provided by SQL-NS, but the logic it uses to determine whether a particular event matches a subscription is provided by the application developer.

SQL-NS exposes a variety of options for controlling how generation occurs, including customizing batch sizes and specifying how and when matching logic is applied. These are configured in the ADF in the <Generator> element. Listing 3.8 shows the generator configuration for the stock application.

Listing 3.8 The Generator Configuration in the ADF

<Generator>
  <SystemName>%_NSServer_%</SystemName>
</Generator>

In this simple example, the only configuration option supplied is the system name, which tells the SQL-NS engine on which machine the generator should run. Chapters 11 and 12 describe more options you can use to fine-tune generator operation.

Distribution

The distribution phase handles the formatting of notification data appropriately for a variety of delivery devices (email, cell phones, pagers, and so on) and the routing of those formatted notifications to delivery systems that get them to their final destinations.

An application can have one or more distributors, possibly running on different servers. These are configured in the ADF's <Distributors> element. Listing 3.9 shows the <Distributors> element from the stock application's ADF.

Listing 3.9 The Distributor Configuration in the ADF

<Distributors>
  <Distributor>
    <SystemName>%_NSServer_%</SystemName>
  </Distributor>
</Distributors>

The stock application uses only one distributor, and this is declared in the single <Distributor> element. Again, because this is a simple example, the only configuration option specified is the system name: the computer on which the distributor should run. Chapter 12 describes additional distributor configuration options that you can specify.

CAUTION

If you are using the Standard Edition of SQL-NS, the event providers, generator, and distributor in your application must run on the same machine. This means that the <SystemName> element must have the same value in all the event provider, generator, and distributor declarations in your ADF. If you specify different system name values with SQL-NS Standard Edition, you'll get an error when compiling your application.

If you are using the Enterprise Edition of SQL-NS, you may configure the various components to run on different machines by specifying different values for the <SystemName> elements. This allows your application to scale out for better performance. Chapter 13 covers the additional configuration steps (beyond specifying system names in the ADF) required to enable a scale out deployment.

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