Skip to main content

Using XEP Event Persistence

XEP provides extremely rapid storage and retrieval of Java structured data, communicating with the Caché database over a TCP/IP connection. It provides ways to control schema generation for optimal mapping of complex data structures, but schemas for simpler data structures can often be generated and used without modification.

The following topics are discussed in this chapter:

  • Introduction to Event Persistence — introduces persistent event concepts and terminology, and provides a simple example of code that uses the XEP API.

  • Creating and Connecting an EventPersister — describes how to create an instance of the EventPersister class and use it to open, test, and close a TCP/IP database connection.

  • Importing a Schema — describes the methods and annotations used to analyze a Java class and generate a schema for the corresponding persistent event.

  • Storing and Modifying Events — describes methods of the Event class used to store, modify, and delete persistent events.

  • Using Queries — describes methods of the XEP classes that create and process query resultsets.

  • Calling Caché Methods from XEP — describes EventPersister methods that can call ObjectScript methods, functions, and procedures from an XEP application.

  • Schema Customization and Mapping — provides a detailed description of how Java classes are mapped to event schemas, and how to generate customized schemas for optimal performance.

Introduction to Event Persistence

A persistent event is a Caché database object that stores a persistent copy of the data fields in a Java object. By default, XEP stores each event as a standard %PersistentOpens in a new tab object. Storage is automatically configured so that the data will be accessible to Caché by other means, such as objects, SQL, or direct global access.

Before a persistent event can be created and stored, XEP must analyze the corresponding Java class and import a schema, which defines how the data structure of a Java object is projected to a persistent event. A schema can use either of the following two object projection models:

  • The default model is the flat schema, where all referenced objects are serialized and stored as part of the imported class, and all fields inherited from superclasses are stored as if they were native fields of the imported class. This is the fastest and most efficient model, but does not preserve any information about the original Java class structure.

  • If structural information must be preserved, the full schema model may be used. This preserves the full Java inheritance structure by creating a one-to-one relationship between Java source classes and Caché projected classes, but may impose a slight performance penalty.

See “Schema Import Models” for a detailed discussion of both models, and “Schema Mapping Rules” for detailed information about how various datatypes are projected.

When importing a schema, XEP acquires basic information by analyzing the Java class. You can supply additional information that allows XEP to generate indexes (see “Using IdKeys”) and override the default rules for importing fields (see “Using Annotations” and “Implementing an InterfaceResolver”).

Once a schema has been imported, XEP can be used to store, query, update and delete data at very high rates. Stored events are immediately available for querying, or for full object or global access. The EventPersister, Event, and EventQuery<> classes provide the main features of the XEP API. They are used in the following sequence:

  • The EventPersister class provides methods to establish and control a TCP/IP database connection (see “Creating and Connecting an EventPersister”).

  • Once the connection has been established, other EventPersister methods can be used to import a schema (see “Importing a Schema”).

  • The Event class provides methods to store, update, or delete events, create queries, and control index updating (see “Storing and Modifying Events”).

  • The EventQuery<> class is used to execute simple SQL queries that retrieve sets of events from the database. It provides methods to iterate through the resultset and update or delete individual events (see “Using Queries”).

The following section describes two very short applications that demonstrate all of these features.

Simple Applications to Store and Query Persistent Events

This section describes two very simple applications that use XEP to create and access persistent events:

  • The StoreEvents program — opens a TCP/IP connection to a specified namespace, creates a schema for the events to be stored, uses an instance of Event to store the array of objects as persistent events, then closes the connection and terminates.

  • The QueryEvents program — opens a new connection accessing the same namespace as StoreEvents, creates an instance of EventQuery<> to read and delete the previously stored events, then closes the connection and terminates.

Note:

It is assumed that these applications have exclusive use of the system, and run in two consecutive processes.

Both programs use instances of xep.samples.SingleStringSample, which is one of the classes defined in the XEP sample programs (see “XEP Samples” for details about the sample programs).

The StoreEvents Program

In StoreEvents, a new instance of EventPersister is created and connected to a specific namespace on the server. A schema is imported for the SingleStringSample class, and the test database is initialized by deleting all existing events from the extent of the class. An instance of Event is created and used to store an array of SingleStringSample objects as persistent events. The connection is then terminated. The new events will persist in the Caché database, and will be accessed by the QueryEvents program (described in the next section).

The StoreEvents Program: Creating a schema and storing events
import com.intersys.xep.*;
import xep.samples.SingleStringSample;

public class StoreEvents {
  private static String className = "xep.samples.SingleStringSample";
  private static SingleStringSample[] eventItems = SingleStringSample.generateSampleData(12);

  public static void main(String[] args) {
    for (int i=0; i < eventItems.length; i++) {
      eventItems[i].name = "String event " + i;
    }
    try {
      System.out.println("Connecting and importing schema for " + className);
      EventPersister myPersister = PersisterFactory.createPersister();
      myPersister.connect("127.0.0.1",1972,"User","_SYSTEM","SYS");
      try { // delete any existing SingleStringSample events, then import new ones
        myPersister.deleteExtent(className);
        myPersister.importSchema(className);
      }
      catch (XEPException e) { System.out.println("import failed:\n" + e); }
      Event newEvent = myPersister.getEvent(className);
      long[] itemIDs = newEvent.store(eventItems);  // store array of events
      System.out.println("Stored " + itemIDs.length + " of "
        + eventItems.length + " objects. Closing connection...");
      newEvent.close();
      myPersister.close();
    }
    catch (XEPException e) {System.out.println("Event storage failed:\n" + e);}
  } // end Main()
} // end class StoreEvents

Before StoreEvents.main() is called, the xep.samples.SingleStringSample.generateSampleData() method is called to generate sample data array eventItems (see “XEP Sample Applications” for information on sample classes).

In this example, XEP methods perform the following actions:

  • PersisterFactory.createPersister() creates myPersister, a new instance of EventPersister.

  • EventPersister.connect() establishes a TCP/IP connection to the User namespace.

  • EventPersister.importSchema() analyzes the SingleStringSample class and imports a schema for it.

  • EventPersister.deleteExtent() is called to clean up the database by deleting any previously existing test data from the SingleStringSample extent.

  • EventPersister.getEvent() creates newEvent, a new instance of Event that will be used to process SingleStringSample events.

  • Event.store() accepts the eventItems array as input, and creates a new persistent event for each object in the array. (Alternately, the code could have looped through the eventItems array and called store() for each individual object, but there is no need to do so in this example.)

  • Event.close() and EventPersister.close() are called for newEvent and myPersister after the events have been stored.

All of these methods are discussed in detail later in this chapter. See “Creating and Connecting an EventPersister” for information on opening, testing, and closing a connection. See “Importing a Schema” for details about schema creation. See “Storing and Modifying Events” for details about using the Event class and deleting an extent.

The QueryEvents Program

This example assumes that QueryEvents runs immediately after the StoreEvents process terminates (see “The StoreEvents Program”). QueryEvents establishes a new TCP/IP database connection that accesses the same namespace as StoreEvents. An instance of EventQuery<> is created to iterate through the previously stored events, print their data, and delete them.

The QueryEvents Program: Fetching and processing persistent events
import com.intersys.xep.*;
import xep.samples.SingleStringSample;

public class QueryEvents {
  public static void main(String[] args) {
    EventPersister myPersister = null;
    EventQuery<SingleStringSample> myQuery = null;
    try {
// Open a connection, then set up and execute an SQL query
      System.out.println("Connecting to query SingleStringSample events");
      myPersister = PersisterFactory.createPersister();
      myPersister.connect("127.0.0.1",1972,"User","_SYSTEM","SYS");
      try {
        Event newEvent = myPersister.getEvent("xep.samples.SingleStringSample");
        String sql = "SELECT * FROM xep_samples.SingleStringSample WHERE %ID BETWEEN 3 AND ?";
        myQuery = newEvent.createQuery(sql);
        newEvent.close();
        myQuery.setParameter(1,12);  // assign value 12 to SQL parameter 1
        myQuery.execute();
      }
      catch (XEPException e) {System.out.println("createQuery failed:\n" + e);}

// Iterate through the returned data set, printing and deleting each event
      SingleStringSample currentEvent;
      currentEvent = myQuery.getNext(null); // get first item
      while (currentEvent != null) {
        System.out.println("Retrieved " + currentEvent.name);
        myQuery.deleteCurrent();
        currentEvent = myQuery.getNext(currentEvent); // get next item
      }
      myQuery.close();
      myPersister.close();
    }
    catch (XEPException e) {System.out.println("QueryEvents failed:\n" + e);}
  } // end Main()
} // end class QueryEvents

In this example, XEP methods perform the following actions:

  • EventPersister.createPersister() and EventPersister.connect() are called again (just as they were in StoreEvents) and a new connection to the User namespace is established.

  • EventPersister.getEvent() creates newEvent, an instance of Event that will be used to create a query on the SingleStringSample extent. After the query is created, newEvent will be discarded by calling its close() method.

  • Event.createQuery() creates myQuery, an instance of EventQuery<> for SingleStringSample events. The SQL statement defines a query that will retrieve all persistent SingleStringSample events with object IDs between 3 and a variable parameter value.

  • EventQuery<>.setParameter() assigns value 12 to the SQL parameter.

  • EventQuery<>.execute() executes the query. If the query is successful, myQuery will now contain a resultset that lists the object IDs of all SingleStringSample events that match the query.

  • EventQuery<>.getNext() is called with null as the argument, which specifies that the first item in the resultset is to be fetched and assigned to variable currentEvent.

  • In the while loop:

    • The name field of currentEvent is printed

    • EventQuery<>.deleteCurrent() deletes the most recently fetched event from the database.

    • EventQuery<>.getNext() is called again with the most recently fetched event as the argument, specifying that the method should fetch the next event after that one.

    If there are no more items, getNext() will return null and the loop will terminate.

  • EventQuery<>.close() and EventPersister.close() are called for myQuery and myPersister after all events have been printed and deleted.

All of these methods are discussed in detail later in this chapter. See “Creating and Connecting an EventPersister” for information on opening, testing, and closing a connection. See “Using Queries” for details about creating and using an instance of EventQuery<>.

Creating and Connecting an EventPersister

The EventPersister class is the main entry point for the XEP API. It provides the methods for opening a TCP/IP connection to the database, importing schemas, handling transactions, and creating instances of Event to access events in the database.

An instance of EventPersister is created and destroyed by the following methods:

  • PersisterFactory.createPersister() — returns a new instance of EventPersister.

  • EventPersister.close() — closes this EventPersister instance and releases th resources associated with it.

The following method is used to create a TCP/IP connection:

  • EventPersister.connect() — takes arguments for host, port, namespace, username, password, and establishes a TCP/IP connection to the specified Caché namespace.

The following example establishes a connection:

Creating and Connecting an EventPersister: Creating a TCP/IP connection
// Open a TCP/IP connection
  String host = "127.0.0.1";
  int port = 1972;
  String namespace = "USER";
  String username = "_SYSTEM";
  String password = "SYS";
  EventPersister myPersister = PersisterFactory.createPersister();
  myPersister.connect(host, port, namespace,username,password);
  // perform event processing here . . .
  myPersister.close();

The PersisterFactory.createPersister() method creates a new instance of EventPersister. Only one instance is required in a process.

The EventPersister.connect() method establishes a TCP/IP connection to the specified port and namespace of the host machine. If no connection exists in the current process, a new connection is created. If a connection already exists, the method returns a reference to the existing connection object.

When the application is ready to exit, the EventPersister.close() method should always be called.

Note:
Always call close() to release resources

Always call close() on an instance of EventPersister before it goes out of scope to ensure that all locks, licenses, and other resources associated with the connection are released.

Importing a Schema

Before an instance of a Java class can be stored as a persistent event, a schema must be imported for the class. The schema defines the database structure in which the event will be stored. XEP provides two different schema import models: flat schema and full schema. The main difference between these models is the way in which Java objects are projected to Caché events. A flat schema is the optimal choice if performance is essential and the event schema is fairly simple. A full schema offers a richer set of features for more complex schemas, but may have an impact on performance. See “Schema Customization and Mapping” for a detailed discussion of schema models and related subjects.

The following methods are used to analyze a Java class and import a schema of the desired type:

  • EventPersister.importSchema() — imports a flat schema. Takes an argument specifying a .jar file name, a fully qualified class name, or an array of class names, and imports all classes and any dependencies found in the specified locations. Returns a String array containing the names of all successfully imported classes.

  • EventPersister.importSchemaFull() — imports a full schema. Takes the same arguments and returns the same class list as importSchema(). A class imported by this method must declare a user-generated IdKey (see “Using IdKeys”).

  • Event.isEvent() — is a static Event method that takes a Java object or class name of any type as an argument, tests to see if the specified object can be projected as a valid XEP event (see “Requirements for Imported Classes”), and throws an appropriate error if it is not valid.

The import methods are identical except for the schema model used. The following example imports a simple test class and its dependent class:

Importing a Schema: Importing a class and its dependencies

The following classes from package test are to be imported:

  public class MainClass {
    public MainClass() {}
    public String  myString;
    public test.Address  myAddress;
  }

  public class Address {
    public String  street;
    public String  city;
    public String  state;
  }

The following code uses importSchema() to import the main class, test.MainClass, after calling isEvent() to make sure it can be projected. Dependent class test.Address is also imported automatically when test.MainClass is imported:

  try {
    Event.isEvent("test.MainClass"); // throw an exception if class is not projectable
    myPersister.importSchema("test.MainClass");
  }
  catch (XEPException e) {System.out.println("Import failed:\n" + e);}

In this example, instances of dependent class test.Address will be serialized and embedded in the same Caché object as other fields of test.MainClass. If importSchemaFull() had been used instead, stored instances of test.MainClass would contain references to instances of test.Address stored in a separate Caché class extent.

Storing and Modifying Events

Once the schema for a class has been imported (see “Importing a Schema”), an instance of Event can be created to store and access events of that class. The Event class provides methods to store, update, or delete persistent events, create queries on the class extent, and control index updating. This section discusses the following topics:

  • Creating and Storing Events — describes how to create an instance of Event and use it to store persistent events of the specified class.

  • Accessing Stored Events — describes Event methods for fetching, changing, and deleting persistent events of the specified class.

  • Controlling Index Updating — describes Event methods that can increase processing efficiency by controlling when index entries are updated.

Creating and Storing Events

Instances of the Event class are created and destroyed by the following methods:

  • EventPersister.getEvent() — takes a className String argument and returns an instance of Event that can store and access events of the specified class. Optionally takes an indexMode argument that specifies the default way to update index entries (see “Controlling Index Updating” for details).

    Note:
    Target Class

    An instance of Event can only store, access, or query events of the class specified by the className argument in the call to getEvent(). In this chapter, class className is referred to as the target class.

  • Event.close() — closes the Event instance and releases the resources associated with it.

The following Event method stores Java objects of the target class as persistent events:

  • store() — adds one or more instances of the target class to the database. Takes either an event or an array of events as an argument, and returns a long database ID (or 0 if the database id could not be returned) for each stored event.

    Important:

    When an event is stored, it is not tested in any way, and it will never change or overwrite existing data. Each event is appended to the extent at the highest possible speed, or silently ignored if an event with the specified key already exists in the database.

The following example creates an instance of Event with SingleStringSample as the target class, and uses it to project an array of Java SingleStringSample objects as persistent events. The example assumes that myPersister has already been created and connected, and that a schema has been imported for the SingleStringSample class. See “Simple Applications to Store and Query Persistent Events” for an example of how this is done. See “XEP Sample Applications” for information on SingleStringSample and the sample programs that define and use it.

Storing and Modifying Events: Storing an array of objects
  SingleStringSample[] eventItems = SingleStringSample.generateSampleData(12);
  try {
    Event newEvent = myPersister.getEvent("xep.samples.SingleStringSample");
    long[] itemIdList = newEvent.store(eventItems);  // store all events
    int itemCount = 0;
    for (int i=0; i < itemIdList.length; i++) {
      if (itemIdList[i]>0) itemCount++;
    }
    System.out.println("Stored " + itemCount + " of " + eventItems.length + " events");
    newEvent.close();
  }
  catch (XEPException e) {System.out.println("Event storage failed:\n" + e);}
  • The generateSampleData() method of SingleStringSample generates twelve SingleStringSample objects and stores them in an array named eventItems.

  • The EventPersister.getEvent() method creates an Event instance named newEvent with SingleStringSample as the target class.

  • The Event.store() method is called to project each object in the eventItems array as a persistent event in the database.

    The method returns an array named itemIdList, which contains a long object ID for each successfully stored event, or 0 for an object that could not be stored. Variable itemCount is incremented once for each ID greater than 0 in itemIdList, and the total is printed.

  • When the loop terminates, the Event.close() method is called to release resources.

Note:
Always call close() to release resources

Always call close() on an instance of Event before it goes out of scope to ensure that all locks, licenses, and other resources associated with the connection are released.

Accessing Stored Events

Once a persistent event has been stored, an Event instance of that target class provides the following methods for reading, updating, deleting the event:

  • deleteObject() — takes a database object ID or IdKey as an argument and deletes the specified event from the database.

  • getObject() — takes a database object ID or IdKey as an argument and returns the specified event.

  • updateObject() — takes a database object ID or IdKey and an Object of the target class as arguments, and updates the specified event.

If the target class uses a standard object ID, it is specified as a long value (as returned by the store() method described in the previous section). If the target class uses an IdKey, it is specified as an array of Object where each item in the array is a value for one of the fields that make up the IdKey (see “Using IdKeys”).

In the following example, array itemIdList contains a list of object ID values for some previously stored SingleStringSample events. The example arbitrarily updates the first six persistent events in the list and deletes the rest.

Note:

See “Creating and Storing Events” for the example that created the itemIdList array. This example also assumes that an EventPersister instance named myPersister has already been created and connected to the database.

Storing and Modifying Events: Fetching, updating, and deleting events
// itemIdList is a previously created array of SingleStringSample event IDs
  try {
    Event newEvent = myPersister.getEvent("xep.samples.SingleStringSample");
    int itemCount = 0;
    for (int i=0; i < itemIdList.length; i++) {
      try { // arbitrarily update events for first 6 IDs and delete the rest
        SingleStringSample eventObject = (SingleStringSample)newEvent.getObject(itemIdList[i]);
        if (i<6) {
          eventObject.name = eventObject.name + " (id=" + itemIdList[i] + ")" + " updated!";
          newEvent.updateObject(itemIdList[i], eventObject);
          itemCount++;
        } else {
          newEvent.deleteObject(itemIdList[i]);
        }
      }
      catch (XEPException e) {System.out.println("Failed to process event:\n" + e);}
    }
    System.out.println("Updated " + itemCount + " of " + itemIdList.length + " events");
    newEvent.close();
  }
  catch (XEPException e) {System.out.println("Event processing failed:\n" + e);}
  • The EventPersister.getEvent() method creates an Event instance named newEvent with SingleStringSample as the target class.

  • Array itemIdList contains a list of object ID values for some previously stored SingleStringSample events (see “Creating and Storing Events” for the example that created itemIdList).

    In the loop, each item in itemIdList is processed. The first six items are changed and updated, and the rest of the items are deleted. The following operations are performed:

    • The Event.getObject() method fetches the SingleStringSample object with the object ID specified in itemIdList[i], and assigns it to variable eventObject.

    • The value of the eventObject name field is changed.

    • If the eventObject is one of the first six items in the list, Event.updateObject() is called to update it in the database. Otherwise, Event.deleteObject() is called to delete the object from the database.

  • After all of the IDs in itemIdList have been processed, the loop terminates and a message displays the number of events updated.

  • The Event.close() method is called to release resources.

See “XEP Sample Applications” for information on the sample programs that define and use the SingleStringSample class.

See “Using Queries” for a description of how to access and modify persistent events fetched by a simple SQL query.

Deleting Test Data

When initializing a test database, it is frequently convenient to delete an entire class, or delete all events in a specified extent. The following EventPersister methods delete classes and extents from the Caché database:

  • deleteClass() — takes a className string as an argument and deletes the specified Caché class.

  • deleteExtent() — takes a className string as an argument and deletes all events in the extent of the specified class.

These methods are intended primarily for testing, and should be avoided in production code. See “Classes and Extents” in the Caché Programming Orientation Guide for a detailed definition of these terms.

Controlling Index Updating

By default, indexes are not updated when a call is made to one of the Event methods that act on an event in the database (see “Accessing Stored Events”). Indexes are updated asynchronously, and updating is only performed after all transactions have been completed and the Event instance is closed. No uniqueness check is performed for unique indexes.

Note:

This section only applies to classes that use standard object IDs or generated IdKeys (see “Using IdKeys”). Classes with user-assigned IdKeys can only be updated synchronously.

There are a number of ways to change this default indexing behavior. When an Event instance is created by EventPersister.getEvent() (see “Creating and Storing Events”), the optional indexMode parameter can be set to specify a default indexing behavior. The following options are available:

  • Event.INDEX_MODE_ASYNC_ON — enables asynchronous indexing. This is the default when the indexMode parameter is not specified.

  • Event.INDEX_MODE_ASYNC_OFF — no indexing will be performed unless the startIndexing() method is called.

  • Event.INDEX_MODE_SYNC — indexing will be performed each time the extent is changed, which can be inefficient for large numbers of transactions. This index mode must be specified if the class has a user-assigned IdKey.

The following Event methods can be used to control asynchronous index updating for the extent of the target class:

  • startIndexing() — starts asynchronous index building for the extent of the target class. Throws an exception if the index mode is Event.INDEX_MODE_SYNC.

  • stopIndexing() — stops asynchronous index building for the extent. If you do not want the index to be updated when the Event instance is closed, call this method before calling Event.close().

  • waitForIndexing() — takes an int timeout value as an argument and waits for asynchronous indexing to be completed. The timeout value specifies the number of seconds to wait (wait forever if -1, return immediately if 0). It returns true if indexing has been completed, or false if the wait timed out before indexing was completed. Throws an exception if the index mode is Event.INDEX_MODE_SYNC.

Using Queries

The Event class provides a way to create an instance of EventQuery<>, which can execute a limited SQL query on the extent of the target class. EventQuery<> methods are used to execute the SQL query, and to retrieve, update, or delete individual items in the query resultset.

The following topics are discussed:

Note:

The examples in this section assume that EventPersister object myPersister has already been created and connected, and that a schema has been imported for the SingleStringSample class. See “Simple Applications to Store and Query Persistent Events” for an example of how this is done.

Creating and Executing a Query

The following methods create and destroy an instance of EventQuery<>:

  • Event.createQuery() — takes a String argument containing the text of the SQL query and returns an instance of EventQuery<E>, where parameter E is the target class of the parent Event.

  • EventQuery<>.close() — closes this EventQuery<> instance and releases the resources associated with it.

Queries submitted by an instance of EventQuery<E> will return Java objects of the specified generic type E (the target class of the Event instance that created the query object). Queries supported by the EventQuery<> class are a subset of SQL select statements, as follows:

  • Queries must consist of a SELECT clause, a FROM clause, and (optionally) standard SQL clauses such as WHERE and ORDER BY.

  • The SELECT and FROM clauses must be syntactically legal, but they are actually ignored during query execution. All fields that have been mapped are always fetched from the extent of target class E.

  • SQL expressions may not refer to arrays of any type, nor to embedded objects or fields of embedded objects.

  • The Caché system-generated object ID may be referred to as %ID. Due to the leading %, this will not conflict with any field called id in a Java class.

The following EventQuery<> methods define and execute the query:

  • setParameter() — binds a parameter for the SQL query associated with this EventQuery<>. Takes int index and Object value as arguments, where index specifies the parameter to be set, and value is the value to bind to the specified parameter.

  • execute() — executes the SQL query associated with this EventQuery<>. If the query is successful, this EventQuery<> will contain a resultset that can be accessed by the methods described later (see “Processing Query Data”).

The following example executes a simple query on events in the xep.samples.SingleStringSample extent (see “XEP Sample Applications” for information on the sample programs that define and use the SingleStringSample class.).

Using Queries: Creating and executing a query
  Event newEvent = myPersister.getEvent("xep.samples.SingleStringSample");
  String sql = 
    "SELECT * FROM xep_samples.SingleStringSample WHERE %ID BETWEEN ? AND ?";

  EventQuery<SingleStringSample> myQuery = newEvent.createQuery(sql);
  myQuery.setParameter(1,3);  // assign value 3 to first SQL parameter
  myQuery.setParameter(2,12);  // assign value 12 to second SQL parameter
  myQuery.execute();   // get resultset for IDs between 3 and 12

The EventPersister.getEvent() method creates an Event instance named newEvent with SingleStringSample as the target class.

The Event.createQuery() method creates an instance of EventQuery<> named myQuery, which will execute the SQL query and hold the resultset. The sql variable contains an SQL statement that selects all events in the target class with IDs between two parameter values.

The EventQuery<>.setParameter() method is called twice to assign values to the two parameters.

When the EventQuery<>.execute() method is called, the specified query is executed for the extent of the target class, and the resultset is stored in myQuery.

By default, all data is fetched for each object in the resultset, and each object is fully initialized. See “Defining the Fetch Level” for options that limit the amount and type of data fetched with each object.

Processing Query Data

After a query has been executed, the methods described here can be used to access items in the query resultset, and update or delete the corresponding persistent events in the database. The EventQueryIterator<> class implements java.util.Iterator<E> (where E is the target class of the parent EventQuery<E> instance). The following EventQuery<> method creates an instance of EventQueryIterator<E>:

  • getIterator() — returns an EventQueryIterator<E> iterator for the current resultset.

EventQueryIterator<> implements java.util.Iterator<E> methods hasNext(), next(), and remove(), plus the following method:

  • set() — takes an object of the target class and uses it to update the persistent event most recently fetched by next().

The following example creates an instance of EventQueryIterator<> and uses it to update each item in the resultset:

Using Queries: Iteration with EventQueryIterator<>
  myQuery.execute();  // get resultset
  EventQueryIterator<xep.samples.SingleStringSample> myIter = myQuery.getIterator();
  while (myIter.hasNext()) {
    currentEvent = myIter.next();
    currentEvent.name = "in process: " + currentEvent.name;
    myIter.set(currentEvent);
  }

The call to EventQuery<>.execute() runs the query described in the previous example (see “Creating and Executing a Query”), and the resultset is stored in myQuery. Each item in the resultset is a SingleStringSample object.

The call to getIterator() creates iterator myIter for the resultset currently stored in myQuery.

In the while loop, hasNext() returns true until all items in the resultset have been processed:

  • The call to next() returns the next SingleStringSample object from the resultset and assigns it to currentEvent.

  • The currentEvent.name property is changed.

  • The set() method is called, storing the updated currentEvent object in the database.

Alternate Query Iteration Methods

The EventQuery<> class also provides methods that can be used to process a resultset without using EventQueryIterator<>. (This is an alternative for developers who prefer iteration methods similar to those provided by ObjectScript). After a query has been executed, the following EventQuery<> methods can be used to access items in the query resultset, and update or delete the corresponding persistent events in the database:

  • getNext() — returns the next object of the target class from the resultset. Returns null if there are no more items in the resultset. It requires null or an object of the target class as an argument. (In this release, the argument is a placeholder that has no effect on the query).

  • updateCurrent() — takes an object of the target class as an argument and uses it to update the persistent event most recently returned by getNext().

  • deleteCurrent() — deletes the persistent event most recently returned by getNext() from the database.

  • getAll() — uses getNext() to get all items from the resultset, and returns them in a List. Cannot be used for updating or deleting. getAll() and getNext() cannot access the same resultset — once either method has been called, the other method cannot be used until execute() is called again.

See “Accessing Stored Events” for a description of how to access and modify persistent events identified by Id or IdKey.

Important:
Never use EventQuery<> and EventQueryIterator<> iteration methods together

Although query results can be accessed either by direct calls to EventQuery<> methods or by getting an instance of EventQueryIterator<> and using its methods, these access methods must never be used at the same time. Getting an iterator and calling its methods while also making direct calls to the EventQuery<> methods can lead to unpredictable results.

Using Queries: Updating and Deleting Query Data
  myQuery.execute();   // get resultset
  SingleStringSample currentEvent = myQuery.getNext(null);
  while (currentEvent != null) {
    if (currentEvent.name.startsWith("finished")) {
      myQuery.deleteCurrent();   // Delete if already processed
    } else {
      currentEvent.name = "in process: " + currentEvent.name;
      myQuery.updateCurrent(currentEvent);    // Update if unprocessed
    }
    currentEvent = myQuery.getNext(currentEvent);
  }
  myQuery.close();

In this example, the call to EventQuery<>.execute() is assumed to execute the query described in the previous example (see “Creating and Executing a Query”), and the resultset is stored in myQuery. Each item in the resultset is a SingleStringSample object.

The first call to getNext() gets the first item from the resultset and assigns it to currentEvent.

In the while loop, the following process is applied to each item in the resultset:

  • If currentEvent.name starts with the string "finished", deleteCurrent() deletes the corresponding persistent event from the database.

  • Otherwise, the value of currentEvent.name is changed, and updateCurrent() is called. It takes currentEvent as its argument and uses it to update the persistent event in the database.

  • The call to getNext() returns the next SingleStringSample object from the resultset and assigns it to currentEvent.

After the loop terminates, close() is called to release the resources associated with myQuery.

Note:
Always call close() to release resources

Always call close() on an instance of EventQuery<> before it goes out of scope to ensure that all locks, licenses, and other resources associated with the connection are released.

Defining the Fetch Level

The fetch level is an Event property that can be used to control the amount of data returned when running a query. This is particularly useful when the underlying event is complex and only a small subset of event data is required.

The following EventQuery<> methods set and return the current fetch level:

  • getFetchLevel() — returns an int indicating the current fetch level of the Event.

  • setFetchLevel() — takes one of the values in the Event fetch level enumeration as an argument and sets the fetch level for the Event.

The following fetch level values are supported:

  • Event.OPTION_FETCH_LEVEL_ALL — This is the default. All data is fetched, and the returned event is fully initialized.

  • Event.OPTION_FETCH_LEVEL_DATATYPES_ONLY — Only datatype fields are fetched. This includes all primitive types, all primitive wrappers, java.lang.String, java.math.BigDecimal, java.util.Date, java.sql.Date, java.sql.Time, java.sql.Timestamp and enum types. All other fields are set to null.

  • Event.OPTION_FETCH_LEVEL_NO_ARRAY_TYPES — All types are fetched except arrays. All fields of array types, regardless of dimension, are set to null. All datatypes, object types (including serialized types) and collections are fetched.

  • Event.OPTION_FETCH_LEVEL_NO_COLLECTIONS — All types are fetched except implementations of java.util.List, java.util.Map, and java.util.Set.

  • Event.OPTION_FETCH_LEVEL_NO_OBJECT_TYPES — All types are fetched except object types. Serialized types are also considered object types and are not fetched. All datatypes, array types and collections are fetched.

Calling Caché Methods from XEP

The following EventPersister methods call Caché class methods:

  • callClassMethod() — calls the specified ObjectScript class method. Takes String arguments for className and methodName, plus 0 or more arguments that will be passed to the class method. Returns an Object that may be of type int, long, double, or String.

  • callBytesClassMethod() — identical to callClassMethod() except that string values are returned as instances of byte[].

  • callListClassMethod() — identical to callClassMethod() except that string values are returned as instances of ValueList.

  • callVoidClassMethod() — identical to callClassMethod() except that nothing is returned.

The following EventPersister methods call Caché functions and procedures (see “User-defined Code” in Using Caché ObjectScript):

  • callFunction() — calls the specified ObjectScript function. Takes String arguments for functionName and routineName, plus 0 or more arguments that will be passed to the function. Returns an Object that may be of type int, long, double, or String.

  • callBytesFunction() — identical to callFunction() except that string values are returned as instances of byte[].

  • callListFunction() — identical to callFunction() except that string values are returned as instances of ValueList.

  • callProcedure() — calls the specified ObjectScript procedure. Takes String arguments for procedureName and routineName, plus 0 or more arguments that will be passed to the procedure.

Schema Customization and Mapping

This section provides details about how a Java class is mapped to a Caché event schema, and how a schema can be customized for optimal performance. In many cases, a schema can be imported for a simple class without providing any meta-information. In other cases, it may be necessary or desirable to customize the way in which the schema is imported. The following sections provide information on customized schemas and how to generate them:

  • Schema Import Models — describes the two schema import models supported by XEP.

  • Using Annotations — XEP annotations can be added to a Java class to specify the indexes that should be created. They can also be added to optimize performance by specifying fields that should not be imported or fields that should be serialized.

  • Using IdKeys — Annotations can be used to specify IdKeys (index values used in place of the default object ID), which are required when importing a full schema.

  • Implementing an InterfaceResolver — By default, a flat schema does not import fields declared as interfaces. Implementations of the InterfaceResolver interface can be used to during schema import to specify the actual class of a field declared as an interface.

  • Schema Mapping Rules — provides a detailed description of how Java classes are mapped to Caché event schemas.

Schema Import Models

XEP provides two different schema import models: flat schema and full schema. The main difference between these models is the way in which Java objects are projected to Caché events.

  • The Embedded Object Projection Model (Flat Schema) — imports a flat schema where all objects referenced by the imported class are serialized and embedded, and all fields declared in all ancestor classes are collected and projected as if they were declared in the imported class itself. All data for an instance of the class is stored as a single Caché %Library.PersistentOpens in a new tab object, and information about the original Java class structure is not preserved.

  • The Full Object Projection Model (Full Schema) — imports a full schema where all objects referenced by the imported class are projected as separate Caché %PersistentOpens in a new tab objects. Inherited fields are projected as references to fields in the ancestor classes, which are also imported as Caché %PersistentOpens in a new tab classes. There is a one-to-one correspondence between Java source classes and Caché projected classes, so the Java class inheritance structure is preserved.

Full object projection preserves the inheritance structure of the original Java classes, but may have an impact on performance. Flat object projection is the optimal choice if performance is essential and the event schema is fairly simple. Full object projection can be used for a richer set of features and more complex schemas if the performance penalty is acceptable.

The Embedded Object Projection Model (Flat Schema)

By default, XEP imports a schema that projects referenced objects by flattening. In other words, all objects referenced by the imported class are serialized and embedded, and all fields declared in all ancestor classes are collected and projected as if they were declared in the imported class itself. The corresponding Caché event extends %Library.PersistentOpens in a new tab, and contains embedded serialized objects where the original Java object contained references to external objects.

This means that a flat schema does not preserve inheritance in the strict sense on the Caché side. For example, consider these three Java classes:

class A {
    String a;
}
class B extends class A {
    String b;
}
class C extends class B {
    String c;
}

Importing class C results in the following Caché class:

Class C Extends %Persistent ... {
     Property a As %String;
     Property b As %String;
     Property c As %String;
}

No corresponding Caché events will be generated for the A or B classes unless they are specifically imported. Event C on the Caché side does not extend either A or B. If imported, A and B would have the following structures:

Class A Extends %Persistent ... {
     Property a As %String;
}
Class B Extends %Persistent ... {
     Property a As %String;
     Property b As %String;
}

All operations will be performed only on the corresponding Caché event. For example, calling store() on objects of type C will only store the corresponding C Caché events.

If a Java child class hides a field of the same name that is also declared in its superclass, the XEP engine always uses the value of the child field.

The Full Object Projection Model (Full Schema)

The full object model imports a schema that preserves the Java inheritance model by creating a matching inheritance structure in Caché. Rather than serializing all object fields and storing all data in a single Caché object, the schema establishes a one-to-one relationship between the Java source classes and Caché projected classes. The full object projection model stores each referenced class separately, and projects fields of a specified class as references to objects of the corresponding Caché class.

Referenced classes must include an annotation that creates a user-defined IdKey (either @Id or @Index — see “Using IdKeys”). When an object is stored, all referenced objects are stored first, and the resulting IdKeys are stored in the parent object. As with the rest of XEP, there are no uniqueness checks, and no attempts to change or overwrite existing data. The data is simply appended at the highest possible speed. If an IdKey value references an event that already exists, it will simply be skipped, without any attempt to overwrite the existing event.

The @Embedded class level annotation can be used to optimize a full schema by embedding instances of the annotated class as serialized objects rather than storing them separately.

Note:

See the FlightLog sample program (listed in “XEP Sample Applications”) for a demonstration of how to use the full object model.

Using Annotations

The XEP engine infers XEP event metadata by examining a Java class. Additional information can be specified in the Java class via annotations, which can be found in the com.intersys.xep.annotations package. As long a Java object conforms to the definition of an XEP persistent event (see “Requirements for Imported Classes”), it is projected as a Caché event, and there is no need to customize it.

Some annotations are applied to individual fields in the class to be projected, while others are applied to the entire class:

  • Field Annotations — are applied to a field in the class to be imported:

    • @Id — specifies that the field will act as an IdKey.

    • @Serialized — indicates that the field should be stored and retrieved in its serialized form.

    • @Transient — indicates that the field should be excluded from import.

  • Class Annotations — are applied to the entire class to be imported:

    • @Embedded — indicates that a field of this class in a full schema should be embedded (as in a flat schema) rather than referenced.

    • @Index — declares an index for the class.

    • @Indices — declares multiple indexes for the same class.

@Id (field level annotation)

The value of a field marked with @Id will be used as an IdKey that replaces the standard object ID (see “Using IdKeys”). Only one field per class can use this annotation, and the field must be a String, int, or long (double is permitted but not recommended). To create a compound IdKey, use the @Index annotation instead. A class marked with @Id cannot also declare a compound primary key with @Index. An exception will be thrown if both annotations are used on the same class.

The following parameter must be specified:

  • generated — a boolean specifying whether or not XEP should generate key values.

    • generated = true — (the default setting) key value will be generated by Caché and the field marked as @Id must beLong. This field is expected to be null prior to insert/store and will be filled automatically by XEP upon completion of such an operation.

    • generated=false — the user-assigned value of the marked field will be used as the IdKey value. Fields can be String, int, Integer, long or Long.

In the following example, the user-assigned value of the ssn field will be used as the object ID:

import com.intersys.xep.annotations.Id;
public class Person {
  @Id(generated=false)
  Public String  ssn;
  public String  name;
  Public String dob;
}
@Serialized (field level annotation)

The @Serialized annotation indicates that the field should be stored and retrieved in its serialized form.

This annotation optimizes storage of fields that implement the java.io.Serializable interface (including arrays, which are implicitly serializable). The XEP engine will call the relevant read or write method for the serial object, rather than using the default mechanism for storing or retrieving data. An exception will be thrown if the marked field is not serializable. See “Type Mapping” for more details on the projection of serialized fields.

Example:

import com.intersys.xep.annotations.Serialized;
public class MyClass {
  @Serialized
  public  xep.samples.Serialized   serialized;
  @Serialized
  public  int[][][][]   quadIntArray;
  @Serialized
  public  String[][]   doubleStringArray;
}

// xep.samples.Serialized:
public class Serialized implements java.io.Serializable {
  public  String  name;
  public  int     value;
}


@Transient (field level annotation)

The @Transient annotation indicates that the field should be excluded from import. The annotated field will not be projected to Caché, and will be ignored when events are stored or loaded.

Example:

import com.intersys.xep.annotations.Transient;
public class MyClass {
  // this field will NOT be projected:
  @Transient
  public  String  transientField;

  // this field WILL be projected:
  public  String  projectedField;
}
@Embedded (class level annotation)

The @Embedded annotation can be used when a full schema is to be generated (see “Schema Import Models”). It indicates that a field of this class should be serialized and embedded (as in a flat schema) rather than referenced when projected to Caché.

Examples:

import com.intersys.xep.annotations.Embedded;
@Embedded
public class Address {
  String  street;
  String  city;
  String  zip;
  String  state;
}


import com.intersys.xep.annotations.Embedded;
public class MyOuterClass {
  @Embedded
  public static class MyInnerClass {
    public String   innerField;
  }
}

@Index (class level annotation)

The @Index annotation can be used to declare an index.

Arguments must be specified for the following parameters:

  • name — a String containing the name of the composite index

  • fields — an array of String containing the names of the fields that comprise the composite index

  • type — the index type. The xep.annotations.IndexType enumeration includes the following possible types:

    • IndexType.none — default value, indicating that there are no indexes.

    • IndexType.bitmap — a bitmap index (see “Bitmap Indices” in Using Caché SQL).

    • IndexType.bitslice — a bitslice index (see “Overview” in Using Caché SQL).

    • IndexType.simple — a standard index on one or more fields.

    • IndexType.idkey — an index that will be used in place of the standard ID (see “Using IdKeys”).

Example:

import com.intersys.xep.annotations.Index;
import com.intersys.xep.annotations.IndexType;

@Index(name="indexOne",fields={"ssn","dob"},type=IndexType.idkey)
public class Person {
  public String  name;
  public Date dob;
  public String  ssn;
}

@Indices (class level annotation)

The @Indices annotation allows you to specify an array of different indexes for one class. Each element in the array is an @Index tag.

Example:

import com.intersys.xep.annotations.Index;
import com.intersys.xep.annotations.IndexType;
import com.intersys.xep.annotations.Indices;

@Indices({
  @Index(name="indexOne",fields={"myInt","myString"},type=IndexType.simple),
  @Index(name="indexTwo",fields={"myShort","myByte","myInt"},type=IndexType.simple)
})
public class MyTwoIndices {
  public int  myInt;
  public Byte  myByte;
  public short  myShort;
  public String  myString;
}

Using IdKeys

IdKeys are index values that are used in place of the default object ID. Both simple and composite IdKeys are supported by XEP, and a user-generated IdKey is required for a Java class that is imported with a full schema (see “Importing a Schema”). IdKeys on a single field can be created with the @Id annotation. To create a composite IdKey, add an @Index annotation with IndexType idkey. For example, given the following class:

  class Person {
    String name;
    Integer id;
    Date dob;
  }

the default storage structure uses the standard object ID as a subscript:

^PersonD(1)=$LB("John",12,"1976-11-11")

The following annotation uses the name and id fields to create a composite IdKey named newIdKey that will replace the standard object ID:

  @Index(name="newIdKey",fields={"name","id"},type=IndexType.idkey)

This would result in the following global structure:

^PersonD("John",12)=$LB("1976-11-11")

XEP will also honor IdKeys added by other means, such as SQL commands (see “Using the Unique, PrimaryKey, and IDKey Keywords with Indices” in Using Caché SQL). The XEP engine will automatically determine whether the underlying class contains an IdKey, and generate the appropriate global structure.

There are a number of limitations on IdKey usage:

  • An IdKey value must be unique. If the IdKey is user-generated, uniqueness is the responsibility of the calling application, and is not enforced by XEP. If the application attempts to add an event with a key value that already exists in the database, the attempt will be silently ignored and the existing event will not be changed.

  • A class that declares an IdKey cannot be indexed asynchronously if it also declares other indexes.

  • There is no limit of the number of fields in a composite IdKey, but the fields must be String, int, Integer, long or Long. Although double can also be used, it is not recommended.

  • There may be a performance penalty in certain rare situations requiring extremely high and sustained insert rates.

See “Accessing Stored Events” for a discussion of Event methods that allow retrieval, updating and deletion of events based on their IdKeys.

See “SQL and Object Use of Multidimensional Storage” in Using Caché Globals for information on IdKeys and the standard Caché storage model. See “Defining and Building Indices” in Using Caché SQL for information on IdKeys in SQL.

Sample programs IdKeyTest and FlightLog provide demonstrations of IdKey usage (see “XEP Sample Applications” for details about the sample programs).

Implementing an InterfaceResolver

When a flat schema is imported, information on the inheritance hierarchy is not preserved (see “Schema Import Models”). This creates a problem when processing fields whose types are declared as interfaces, since the XEP engine must know the actual class of the field. By default, such fields are not imported into a flat schema. This behavior can be changed by creating implementations of com.intersys.xep.InterfaceResolver to resolve specific interface types during processing.

Note:

InterfaceResolver is only relevant for the flat schema import model, which does not preserve the Java class inheritance structure. The full schema import model establishes a one-to-one relationship between Java and Caché classes, thus preserving the information needed to resolve an interface.

An implementation of InterfaceResolver is passed to EventPersister before calling the flat schema import method, importSchema() (see “Importing a Schema”). This provides the XEP engine with a way to resolve interface types during processing. The following EventPersister method specifies the implementation that will be used:

  • EventPersister.setInterfaceResolver() — takes an instance of InterfaceResolver as an argument. When importSchema() is called, it will use the specified instance to resolve fields declared as interfaces.

The following example imports two different classes, calling a different, customized implementation of InterfaceResolver for each class:

Schema Customization: Applying an InterfaceResolver
  try {
    myPersister.setInterfaceResolver(new test.MyFirstInterfaceResolver());
    myPersister.importSchema("test.MyMainClass");

    myPersister.setInterfaceResolver(new test.MyOtherInterfaceResolver());
    myPersister.importSchema("test.MyOtherClass");
  }
  catch (XEPException e) {System.out.println("Import failed:\n" + e);}

The first call to setInterfaceResolver() sets a new instance of MyFirstInterfaceResolver (described in the next example) as the implementation to be used during calls to the import methods. This implementation will be used in all calls to importSchema() until setInterfaceResolver() is called again to specify a different implementation.

The first call to importSchema() imports class test.MyMainClass, which contains a field declared as interface test.MyFirstInterface. The instance of MyFirstInterfaceResolver will be used by the import method to resolve the actual class of this field.

The second call to setInterfaceResolver() sets an instance of a different InterfaceResolver class as the new implementation to be used when importSchema() is called again.

All implementations of InterfaceResolver must define the following method:

  • InterfaceResolver.getImplementationClass() returns the actual type of a field declared as an interface. This method has the following parameters:

    • interfaceClass — the interface to be resolved.

    • declaringClass — class that contains a field declared as interfaceClass.

    • fieldName — string containing the name of the field in declaringClass that has been declared as an interface.

The following example defines an interface, an implementation of that interface, and an implementation of InterfaceResolver that resolves instances of the interface.

Schema Customization: Implementing an InterfaceResolver

In this example, the interface to be resolved is test.MyFirstInterface:

package test;
public interface MyFirstInterface{ }

The test.MyFirstImpl class is the implementation of test.MyFirstInterface that should be returned by the InterfaceResolver:

package test;
public class MyFirstImpl implements MyFirstInterface {
  public MyFirstImpl() {};
  public MyFirstImpl(String s) { fieldOne = s; };
  public String  fieldOne;
}

The following implementation of InterfaceResolver returns class test.MyFirstImpl if the interface is test.MyFirstInterface, or null otherwise:

package test;
import com.intersys.xep.*;
public class MyFirstInterfaceResolver implements InterfaceResolver {
  public MyFirstInterfaceResolver() {}
  public Class<?> getImplementationClass(Class declaringClass,
         String fieldName, Class<?> interfaceClass) {
    if (interfaceClass == xepdemo.MyFirstInterface.class) {
      return xepdemo.MyFirstImpl.class;
    }
    return null;
  }
}

When an instance of MyFirstInterfaceResolver is specified by setInterfaceResolver(), subsequent calls to importSchema() will automatically use that instance to resolve any field declared as test.MyFirstInterface. For such each field, the getImplementationClass() method will be called with parameter declaringClass set to the class that contains the field, fieldName set to the name of the field, and interfaceClass set to test.MyFirstInterface. The method will resolve the interface and return either test.MyFirstImpl or null.

Schema Mapping Rules

This section provides details about how an XEP schema is structured. The following topics are discussed:

  • Requirements for Imported Classes — describes the structural rules that a Java class must satisfy to produce objects that can be projected as persistent events.

  • Naming Conventions — describes how Java class and field names are translated to conform to Caché naming rules.

  • Type Mapping — lists the Java data types that can be used, and describes how they are mapped to corresponding Caché types.

Requirements for Imported Classes

The XEP schema import methods cannot produce a valid schema for a Java class unless it satisfies the following requirements:

  • If the imported Caché class or any derived class will be used to execute queries and access stored events, the Java source class must explicitly declare an argumentless public constructor.

  • The Java source class cannot contain fields declared as java.lang.Object, or arrays, lists, sets or maps that use java.lang.Object as part of their declaration. An exception will be thrown if the XEP engine encounters such fields. Use the @Transient annotation (see “Using Annotations”) to prevent them from being imported.

The Event.isEvent() method can be used to analyze a Java class or object and determine if it can produce a valid event in the XEP sense. In addition to the conditions described above, this method throws an XEPException if any of the following conditions are detected:

  • a circular dependency

  • an untyped List or Map

  • a Map key value that is not a String, primitive, or primitive wrapper

Fields of a persistent event can be primitives and their wrappers, temporal types, objects (projected as embedded/serial objects), enumerations, and types derived from java.util.List, java.util.Set and java.util.Map. These types can also be contained in arrays, nested collections, and collections of arrays.

By default, projected fields may not retain all features of the Java class. Certain fields are changed in the following ways:

  • Although the Java class may contain static fields, they are excluded from the projection by default. There will be no corresponding Caché properties. Additional fields can be excluded by using the @Transient annotation (see “Using Annotations”).

  • In a flat schema (see “Schema Import Models”), all object types, including inner (nested) Java classes, are projected as %SerialObjectOpens in a new tab classes in Caché. The fields within the objects are not projected as separate Caché properties, and the objects are opaque from the viewpoint of ObjectScript.

  • A flat schema projects all inherited fields as if they were declared in the child class.

See “Type Mapping” for more details on how various datatypes are projected.

Naming Conventions

Corresponding Caché class and property names are identical to those in Java, with the exception of two special characters allowed in Java but not Caché:

  • $ (dollar sign) is projected as a single "d" character on the Caché side.

  • _ (underscore) is projected as a single "u" character on the Caché side.

Class names are limited to 255 characters, which should be sufficient for most applications. However, the corresponding global names have a limit of 31 characters. Since this is typically not sufficient for a one-to-one mapping, the XEP engine transparently generates unique global names for class names longer than 31 characters. Although the generated global names are not identical to the originals, they should still be easy to recognize. For example, the xep.samples.SingleStringSample class will receive global name xep.samples.SingleStrinA5BFD.

Type Mapping

Fields of a persistent event can be any of the following types:

  • primitive types, primitive wrappers and java.lang.String

  • temporal types (java.sql.Time, java.sql.Date, java.sql.Timestamp and java.util.Date)

  • object types (projected as embedded/serial objects in a flat schema)

  • Java enum types

  • any types derived from java.util.List, java.util.Set and java.util.Map.

  • nested collections (for example, a list of maps), and collections of arrays

  • arrays of any of the above

The following sections list the currently supported Java types, and their corresponding Caché types:

Primitives and Primitive Wrappers

The following Java primitives and wrappers are mapped as Caché %StringOpens in a new tab:

  • char, java.lang.Character, java.lang.String

The following Java primitives and wrappers are mapped as Caché %IntegerOpens in a new tab:

  • boolean, java.lang.Boolean

  • byte, java.lang.Byte

  • int, java.lang.Integer

  • long, java.lang.Long

  • short, java.lang.Short

The following Java primitives and wrappers are mapped as Caché %DoubleOpens in a new tab:

  • double, java.lang.Double

  • float, java.lang.Float

Temporal Types

The following Java temporal types are mapped as Caché %StringOpens in a new tab

  • java.sql.Date

  • java.sql.Time

  • java.sql.Timestamp

  • java.util.Date

Object Types

Imported Java classes (the target classes specified in calls to importSchema() or importFullSchema()) are projected as Caché %PersistentOpens in a new tab classes. Necessary information is also imported from superclasses and dependent classes, but the schema import model (see “Schema Import Models”) determines how Caché stores this information:

  • In a flat schema, a class that appears as a field type in the imported class is projected as a %SerialObjectOpens in a new tab Caché class, and is embedded in the parent %PersistentOpens in a new tab class. Superclasses of the imported class are not projected. Instead, all fields inherited from superclasses are projected as if they were native fields of the imported class.

  • In a full schema, superclasses and dependent classes are projected as separate %PersistentOpens in a new tab Caché classes, and the imported class will contain references to those classes.

The java.lang.Object class is not a supported type. An exception will be thrown if the XEP engine encounters fields declared as java.lang.Object, or arrays, lists, sets or maps that use it.

Seralized

All fields marked with the @Serialized annotation (see “Using Annotations”) will be projected in their serialized form as %BinaryOpens in a new tab.

Arrays

The following rules apply to arrays:

  • With the exception of byte and character arrays, all one-dimensional arrays of primitives, primitive wrappers and temporal types are mapped as a list of the underlying base type.

  • One-dimensional byte arrays (byte[] and java.lang.Byte[]) are mapped as %BinaryOpens in a new tab.

  • One-dimensional character arrays (char[] and java.lang.Character[]) are mapped as %StringOpens in a new tab.

  • One-dimensional arrays of objects are mapped as lists of objects.

  • All multi-dimensional arrays are mapped as %BinaryOpens in a new tab and are opaque from the viewpoint of ObjectScript.

  • Arrays are implicitly serializable, and can be annotated with @Serialized.

Enumerations

Java enum types are projected as Caché %StringOpens in a new tab, and only the names are stored. When retrieved from Caché, an entire Java enum object will be reconstituted. Arrays, Lists, and other collections of enums are also supported.

Collections

Classes derived from java.util.List and java.util.Set are projected as Caché lists. Classes derived from java.util.Map are projected as Caché arrays. Untyped Java lists, sets and maps are not supported (type parameters must be used). Nested lists, sets and maps, lists, sets and maps of arrays, as well as arrays of lists, sets or maps are all projected as %BinaryOpens in a new tab and are considered opaque as far as Caché is concerned.

FeedbackOpens in a new tab