23
Tue, Apr
1 New Articles

Bridge the Legacy-to-Java Transition with DB2 for i5/OS Distributed Transactions

Typography
  • Smaller Small Medium Big Bigger
  • Default Helvetica Segoe Georgia Times

In my 20+ years experience in the software development field, I've met only a few (lucky) system architects who had the luxury to design new software solutions from scratch. More often, a system architect faces a challenge of integrating existing software components developed in legacy programming languages with new components written in modern languages such as Java. For complex applications, the transition from legacy code base to Java may take months if not years. In addition, rewriting existing software components may be impractical or impossible. In this case, a business process implementation can be split between legacy code and Java. For example, you may wish to retain a robust order processing module and augment it with a Java module that allows the customers to place orders over the Internet. Both modules work on the same transactional resources (customer, order, and stock data) and ideally should be able to share the same transaction context. In this article, I present a multithreaded framework that allows for concurrent execution of Java and legacy components that access and manipulate shared database resources.

The Distributed Transaction 101

The improved transaction processing architecture, implemented back in V5R2, allows i5/OS to fully and efficiently support the transaction model represented by the X/Open Distributed Transaction Specification (DTS) and the Java JTA specification. The cornerstone of this improved architecture, sometimes referred to as New Transaction Services (NTS), is the decoupling of transactions from threads, processes, and activation groups. An internal MI object, a transaction object, has been added to facilitate the separation of a transaction context from a given activation group.

In the NTS, the locks and commit blocks are scoped to a transaction object. The associated space of a Transaction Object contains the commitment definition for the transaction.

The association of a transaction object to an XA thread of control is temporary. To accommodate both X/Open DTP and JTA specifications, i5/OS implements the concept of the XA thread of control in two ways:

  • A system thread acts as the XA thread of control. This is the default behavior. When a global transaction represented by its global transaction identifier (XID) is activated—for example by the xa_start(XID) function—the transaction handle (a unique identifier) and the associated transaction object's address are set in the calling thread's Thread Control Block (TCB). After the thread has been associated with a transaction, each SQL statement processed in that thread uses the transaction context associated with that thread. The thread can be disassociated from the transaction by calling the xa_end(XID) function. At this time, the transaction information in the Thread Control Block is set to NULL.
  • In V5R4, a second method was formalized in which the SQL connection acts as the XA thread of control. The application servers implementing JTA—such as WebSphere, as well as clients that call XA through ZDA, DRDA, or XDA servers—use this connection thread of control model. When using connection as the thread of control natively on i5, transaction associations are started and ended via the SqlSetConnectAttr CLI API rather than the xa_start and xa_end APIs.


These concepts are illustrated in Figure 1.

http://www.mcpressonline.com/articles/images/2002/DB2%20Distributed%20Transactions%20-%20Bridging%20the%20Legacy%20to%20Java%20Transition%20V3--05090700.png

Figure 1: The transaction is decoupled from an XA thread of control. (Click images to enlarge.)

According to the X/Open DTS specification, only one thread can be associated with a transaction context at any given time. This means that multiple threads can work on the same transaction, but this work needs to be multiplexed. In some environments, this may fulfill the requirements. For example, a Java client attaches to a new global transaction, performs some transactional work, and detaches from the transaction. The transaction is then passed to a legacy program that attaches to this transaction, performs some additional transactional work, and detaches from the transaction. At this point, a transaction monitor may decide to complete the transaction. This works fine since the locks and the commitment definition are scoped to a given transaction object. In the high volume transactional systems, however, there are typically multiple threads that wish to manipulate overlapping sets of resources.

The simple multiplexing scenario described above does not provide the required concurrency levels. The threads need to wait for their turn to attach to the transaction or spawn another transaction, which often results in lock conflicts and deadlocks. These issues are addressed by loosely coupled transactions that share locks.

Huh? OK, let me explain. The global transactions are said to be "loosely coupled" when the transaction identifiers (XIDs) of two transaction branches have the same global transaction identifier (GTRID) but different branch qualifiers (BQUALs). By default, loosely coupled transaction branches do not share locks. On DB2 for i5/OS, this means that there are two separate transaction objects for these two branches. Starting with V5R4, however, there is an option that allows loosely coupled transactions to share locks. In other words, multiple loosely coupled branches can now share the same transaction object. In this case, each thread can have its own transaction branch within a resource manager. Multiple threads can continue transactional work on the same resources without ever running into lock conflicts.

Generally, a transaction branch can be in one of the five states: Active, Idle, Prepared, Rollback Only, and Heuristically Completed. The allowable state transitions are defined in Table 6-4 in Distributed Transaction Processing: The XA Specification. Note that the lock-sharing functionality for loosely coupled transaction branches is not architected by XA. Rather, it is an extension to the spec. In DB2 implementation, the last transaction branch to be completed commits or rolls back the changes for all the transaction branches with the same GTRID. The xa_prepare requests for the other transaction branches complete those transaction branches and return XA_RDONLY. However, changes made and locks acquired for those transaction branches remain pending until the last transaction branch with the same GTRID runs to completion. If xa_rollback is requested for one transaction branch while others are not yet completed, DB2 handles the request by marking the other branches rollback-only. So it is not possible for some branches to commit while others roll back. The xa_commit requests for other transaction branches receive a XA_ROLLBACK return code if xa_rollback was already requested for one or more of the loosely coupled transaction branches that share locks. Note also that it is not valid to request xa_rollback for one of the transaction branches before all are prepared because the transaction manger must carry out a two-phase commit if there are multiple transaction branches.

Sample Application Walkthrough

I will illustrate how to take advantage of the loosely coupled transactions that share locks using a sample application. The application consists of several major components:

  • JTAMonitor.java—This is a Java class that uses JTA to manage global transactions. It creates new branches, passes them to other components, and completes them. It also contains logic that can be used to complete orphaned transactions or query the status of global transactions.
  • JInsertCoffees.java—This is a Java class that inserts a new row into a database table called COFFEES. The insert is performed in the context of an existing global transaction that has been previously started by JTAMonitor.
  • CUpdCoff.c—This is a native ILE C program that updates the row previously inserted by JInsertCoffees. The update is performed in the context of a global transaction started by JTAMonitor.
  • CUpdateCoffeesWrapper.java—This is a wrapper class that uses Program Call Markup Language (PCML) implemented in the IBM Toolbox for Java to call the native CUpdCoff program from Java.
  • TestXATransactions.java—This is the main Java program that calls various components to perform transactional work.

The application also contains a number of Java helper classes that are necessary to perform such mundane tasks as configuring a DB2 for i5/OS data source, creating new XID object, printing out the list of global transactions, and so forth. You'll find a short description of those classes in the readme.1st file that is contained in the downloadable material that accompanies this article.

For illustration purposes, the global transaction identifier (GTRID) and branch qualifier (BQUAL) are passed to the software components as input parameters. In the test scenario, the JTAMonitor starts three transaction branches with the same GTRID but different BQUALs. Next, a row is inserted through Java. The C program is executed twice, each time within a different transaction branch. So the row is updated two times. If all components execute successfully, JTAMonitor commits the transaction. Otherwise, a rollback is requested.

Let's examine the source code to see how these tasks get accomplished. Here's a code excerpt from TestXATransactions.java (most of the error-handling was removed for clarity):

public static void main(String[] args) {
   CoffeeBean newCoffee = new CoffeeBean(10, "Colombian Select",
                                      150, (float) 9.95, 0); [1]
   CoffeeBean updtCoffee1 = new CoffeeBean(10, 100); [2]
   CoffeeBean updtCoffee2 = new CoffeeBean(10, 200);
   AS400JDBCXADataSource ds1 = new AS400JDBCXADataSource(); [3]
   XADataSourceConfigurator.configAS400JDBCXADataSource(ds1); [4]
   JTAMonitor monitor = new JTAMonitor(); [5]
   ExecutorService pool = Executors.newFixedThreadPool(3); [6]
...
   try {
        monitor.setXads(ds1); [7]
        monitor.beginTransaction("0100000000000000","0000000000000000" ); [8]
        monitor.beginTransaction("0100000000000000","0100000000000000" );
        monitor.beginTransaction("0100000000000000","0200000000000000" );
        JInsertCoffees insCof = new JInsertCoffees(0,
                       "0100000000000000","0000000000000000",newCoffee); [9]
        insCof.setXads(ds1);
        Future t0 = pool.submit(insCof); [10]
        try {
              TrnsWorkResult twResult = t0.get(); [11]
        } catch (InterruptedException ex) {
          ex.printStackTrace();
        } catch (ExecutionException ex) {
          ex.printStackTrace();
          TrnsMonitorException tmex = (TrnsMonitorException) ex.getCause();[12]
          throw tmex; [13]
        }
        Future t1 =
            pool.submit(new CUpdateCoffeesWrapper(1,
                       "0100000000000000","0100000000000000",updtCoffee1)); [14]
        Future t2 =
            pool.submit(new CUpdateCoffeesWrapper(2,
                       "0100000000000000","0200000000000000",updtCoffee2)); [15]
        try {
             TrnsWorkResult twResult = t1.get();
             twResult = t2.get();
        } catch (InterruptedException ex) {
        } catch (ExecutionException ex) { ...}
        monitor.prepareTransaction("0100000000000000","0000000000000000" );[16]
        monitor.prepareTransaction("0100000000000000","0100000000000000" );
        monitor.prepareTransaction("0100000000000000","0200000000000000" );
        try {
             monitor.commitTransaction("0100000000000000","0000000000000000" );[17]
             System.out.println("bqual0 - Commit successful.");
        } catch (TrnsMonitorException tmex) {...}
        try {
             monitor.commitTransaction("0100000000000000","0100000000000000" );
            } catch (TrnsMonitorException tmex) {...}
        try {
             monitor.commitTransaction("0100000000000000","0200000000000000" );
        } catch (TrnsMonitorException tmex) {...}
       } catch (TrnsMonitorException tmex) {
            System.out.println("Error occured in JTAMonitor.");
             try {
                monitor.rollbackTransaction(
                       "0100000000000000","0000000000000000" ); [18]
                monitor.rollbackTransaction(
                       "0100000000000000","0100000000000000" );
                monitor.rollbackTransaction(
                       "0100000000000000","0200000000000000" );
               } catch (TrnsMonitorException tmex2) {
              ...
                try {
                    TransactionList.
printTransactionList(monitor.
retrieveTransactionList()); [19]
                } catch (TrnsMonitorException tmex3) {...}
            }
         }
    }

Figure 2: This is the source code of TestXATransactions.java.

In Figure 2, at [1] a CoffeeBean is instantiated. This bean contains the information about a new coffee brand to be inserted into the COFFEES table. At [2], another CoffeeBean is instantiated. This time, I use a constructor that accepts just two parameters: cof_id, and sales. This bean is later used to update an existing row in the table. The cof_id is used to locate the row in the table and sales to update the SALES column. The AS400JDBCXADataSource object is created at [3]. This object is contained in the IBM Toolbox for Java, and it implements the XADataSource interface. The data source is configured at [4]. The XADataSourceConfigurator helper class sets the data source's properties—such as system name, user ID, and user password—necessary to connect to System i. In addition, it sets the XALooselyCoupledSupport property to 1 to enable the loosely coupled transactions that share locks. This is shown in the following code snippet:

ds1.setXALooselyCoupledSupport(1);   

The data source is used by other software components to produce XAConnection and XAResource objects. At [5], the JTAMonitor is created. As mentioned, this class is responsible for the distributed transaction management. I discuss the JTAMonitor implementation in the section below.

The main purpose of the sample application is to illustrate how to perform concurrent transactional work on the same set of resources. This requires that multiple threads are created and executed in parallel. To implement this behavior, I use a new concurrency framework that has been introduced in Java 1.5, which is based on ExecutorService, Callable, and Future interfaces. An ExecutorService object executes submitted Callable tasks. It contains a pool of worker threads that run the tasks concurrently and asynchronously. A Callable task implements the Callable interface, which is similar to Runnable in that both are designed for classes whose instances can be executed by another thread. A Callable, however, returns a result and may throw an exception. The result and the possible exception returned from a Callable are encapsulated in a Future object that is produced by the ExecutorService upon return from a worker thread. So, at [6] an ExecutorService object is instantiated, and its worker thread pool size is set to 3. At [7] the reference to the previously configured data source object is passed to the JTAMonitor. The beginTransaction method is called on the JTAMonitor at [8] to start the first branch of the global transaction. Then, two other branches are also started. Note that all three transaction branches have the same transaction identifier (GTRID) but different branch qualifiers (BQUALs). At [9] an JInsertCoffees object is created. Since this class implements Callable, it can be submitted to ExecutorService for execution at [10]. The result is returned at [11] by calling the get method on the Future object. If an exception is thrown in JInsertCoffees, it gets encapsulated in an ExecutionException and returned to caller. The original exception can be extracted by calling getCause method on the ExecutionException object as shown at [12]. The original exception that can be thrown in JInsertCoffees is actually a custom exception called TrnsMonitorException. It is a wrapper that allows me to return XA, SQL, and application-specific exceptions. It is re-thrown at [13] to force a rollback. At [14] and [15] I use the same pattern as at [10]. This time, however, two update requests are submitted concurrently. Note that both updates attempt to modify the same row (cof_id = 10). The loosely coupled support guarantees that there are no locking conflicts. In the very unlikely case where two threads attempted the update at the very same instance of time, the access conflict would be resolved by DB2 through the internal seizes. The rest of the TestXATransactions flow is pretty straightforward. If the control reaches [16], the insert and two updates must have succeeded, so all three branches are prepared. Then at [17] a commit is attempted. The commit needs to be in the try-catch block, because two branches are completed at the prepare time. In the DB2 for i5/OS implementation, all three transaction branches share the same transaction object. Two branches are marked as read-only, and only one branch is marked as read-write. According to the XA DTP spec, the read-only branches get completed at the prepare time (since, by definition, there is nothing to commit). So, all transactional work is indirectly (through the associated transaction object) scoped to the read-write transaction branch. Only this transaction branch can be committed. In a typical scenario, where there is a pool of loosely coupled transactions, the last transaction that was prepared can also be committed. At this point, the transactional work represented by the transaction object is committed, the locks released, and the object purged from the system. If errors occur during the TestXATransactions execution the program attempts to gracefully complete the outstanding branches, as shown at [18]. Should the rollback fail, the list of existing transactions is printed to the console at [19] so that the administrator can take an appropriate action.

Now that the flow of the sample application was outlined, let's focus on the most critical coding techniques used in various components:

JTAMonitor implements methods to start, prepare, commit, and roll back transaction branches. All these methods follow a very similar logic. For example, here's an excerpt from beginTransaction method:

public void beginTransaction(String globalID, String branchID)
  throws TrnsMonitorException {
  TrnsMonitorException tmex = null;
  try {
       Xid xid = new XidImplQZDA(globalID, branchID); [1]
       XAConnection xaConn1 = getXads().getXAConnection(); [2]
       XAResource xaRes1 = xaConn1.getXAResource(); [3] try {
            xaRes1.start(xid, XAResource.TMNOFLAGS); [4]
         } catch (XAException xae) {...}
       try {
            xaRes1.end(xid, XAResource.TMSUCCESS); [5]
        } catch (XAException xae) {...}
  } catch (Exception ex) {...}
}

Figure 3: This is the beginTransaction method implemented in JTAMonitor.java.

In Figure 3, at [1] an Xid object is instantiated. This object represents the transaction context and is used by the resource manager (DB2, in this case) to identify a specific global transaction. At [2] the XADataSource produces an XAConnection. In a DB2 for i5/OS implementation, the transactional work submitted over a given connection is actually executed by one of the database prestart jobs. Since the sample application utilizes the IBM Toolbox for Java JDBC driver, the database connections are served by QZDASOINIT jobs. At [3] the XAConnection, in turn, produces an XAResource object. At [4] the newly created XAResource object is used to start a new global transaction with GTRID and BQUAL values encapsulated in the Xid object. The start method not only creates a new transaction context on the resource manager but also automatically associates the current connection with the transaction context. The transaction state is changed to active. The beginTransaction method performs no transactional work. Its purpose is to initiate a new transaction branch. The transactional work is performed by other specialized classes such as JInsertCoffees. So at this point, I disassociate the current thread from the transaction context. This is accomplished at [5]. The transaction status changes from active to idle. For example, JInsertCoffees uses the transaction branch started by the beginTransaction method to insert a new row into the COFFEES table. Here's a code fragment that represents the core functionality of the JInsertCoffess class:

try {
     Xid xid = new XidImplQZDA(globalID, branchID); [1]
     XAConnection  xaConn1 = xads.getXAConnection(); [2]
     XAResource    xaRes1  = xaConn1.getXAResource(); [3]
     try{
         xaRes1.start(xid, XAResource.TMJOIN); [4]
     } catch (XAException xae) {...}
     c1 = xaConn1.getConnection(); [5]
     String sqlinstr = "INSERT INTO coffees VALUES(?,?,?,?,?,?)";
     pstmt = c1.prepareStatement(sqlinstr); [6]
     pstmt.setInt(1, aCoffee.getCof_id());
     ...
     int count = pstmt.executeUpdate(); [7]
     try{
         xaRes1.end(xid, XAResource.TMSUCCESS); [8]
     }  catch (XAException xae) {...}
} catch (Exception e) {...}

Figure 4: This pseudo code illustrates the core functionality of JInsertCoffees.

In Figure 4, at [1] the Xid implementation object is created. At [2] the XADataSource produces an XAConnection. The necessary XAResource object is instantiated at [3]. This is a pattern that you'll see throughout the sample application. It allows me to make the classes that manipulate the data resource manager independent. At [4] the XAResource is used to associate the transactional work performed by JInsertCoffees with a transaction context represented by a given Xid. Remember that at this point the transaction branch status is changed from Idle to Active. At [5] a logical database connection is obtained from XAConnection; an SQL INSERT statement is prepared at [6] and executed at [7]. Finally, at [8] the thread is disassociated from the branch so that other threads can gain control over it.

A similar logic is employed in the legacy CUPDCOF program. In this case, however, I use the XA APIs implemented in C rather than JTA APIs in Java. Let's quickly examine the relevant excerpt from the C source:

#define FORMATID           4478019                                         [1]

char   xa_info[1024]= "tmname=TMJAREK rdbname=*LOCAL tblcs=S

Jarek Miszczyk

Jarek Miszczyk is a Lead Technical Consultant for System x Virtualization and Cloud Computing at the IBM STG Global ISV Enablement organization. He is located in Rochester, Minnesota. He can be reached by email at This email address is being protected from spambots. You need JavaScript enabled to view it..

BLOG COMMENTS POWERED BY DISQUS

LATEST COMMENTS

Support MC Press Online

$0.00 Raised:
$

Book Reviews

Resource Center

  • SB Profound WC 5536 Have you been wondering about Node.js? Our free Node.js Webinar Series takes you from total beginner to creating a fully-functional IBM i Node.js business application. You can find Part 1 here. In Part 2 of our free Node.js Webinar Series, Brian May teaches you the different tooling options available for writing code, debugging, and using Git for version control. Brian will briefly discuss the different tools available, and demonstrate his preferred setup for Node development on IBM i or any platform. Attend this webinar to learn:

  • SB Profound WP 5539More than ever, there is a demand for IT to deliver innovation. Your IBM i has been an essential part of your business operations for years. However, your organization may struggle to maintain the current system and implement new projects. The thousands of customers we've worked with and surveyed state that expectations regarding the digital footprint and vision of the company are not aligned with the current IT environment.

  • SB HelpSystems ROBOT Generic IBM announced the E1080 servers using the latest Power10 processor in September 2021. The most powerful processor from IBM to date, Power10 is designed to handle the demands of doing business in today’s high-tech atmosphere, including running cloud applications, supporting big data, and managing AI workloads. But what does Power10 mean for your data center? In this recorded webinar, IBMers Dan Sundt and Dylan Boday join IBM Power Champion Tom Huntington for a discussion on why Power10 technology is the right strategic investment if you run IBM i, AIX, or Linux. In this action-packed hour, Tom will share trends from the IBM i and AIX user communities while Dan and Dylan dive into the tech specs for key hardware, including:

  • Magic MarkTRY the one package that solves all your document design and printing challenges on all your platforms. Produce bar code labels, electronic forms, ad hoc reports, and RFID tags – without programming! MarkMagic is the only document design and print solution that combines report writing, WYSIWYG label and forms design, and conditional printing in one integrated product. Make sure your data survives when catastrophe hits. Request your trial now!  Request Now.

  • SB HelpSystems ROBOT GenericForms of ransomware has been around for over 30 years, and with more and more organizations suffering attacks each year, it continues to endure. What has made ransomware such a durable threat and what is the best way to combat it? In order to prevent ransomware, organizations must first understand how it works.

  • SB HelpSystems ROBOT GenericIT security is a top priority for businesses around the world, but most IBM i pros don’t know where to begin—and most cybersecurity experts don’t know IBM i. In this session, Robin Tatam explores the business impact of lax IBM i security, the top vulnerabilities putting IBM i at risk, and the steps you can take to protect your organization. If you’re looking to avoid unexpected downtime or corrupted data, you don’t want to miss this session.

  • SB HelpSystems ROBOT GenericCan you trust all of your users all of the time? A typical end user receives 16 malicious emails each month, but only 17 percent of these phishing campaigns are reported to IT. Once an attack is underway, most organizations won’t discover the breach until six months later. A staggering amount of damage can occur in that time. Despite these risks, 93 percent of organizations are leaving their IBM i systems vulnerable to cybercrime. In this on-demand webinar, IBM i security experts Robin Tatam and Sandi Moore will reveal:

  • FORTRA Disaster protection is vital to every business. Yet, it often consists of patched together procedures that are prone to error. From automatic backups to data encryption to media management, Robot automates the routine (yet often complex) tasks of iSeries backup and recovery, saving you time and money and making the process safer and more reliable. Automate your backups with the Robot Backup and Recovery Solution. Key features include:

  • FORTRAManaging messages on your IBM i can be more than a full-time job if you have to do it manually. Messages need a response and resources must be monitored—often over multiple systems and across platforms. How can you be sure you won’t miss important system events? Automate your message center with the Robot Message Management Solution. Key features include:

  • FORTRAThe thought of printing, distributing, and storing iSeries reports manually may reduce you to tears. Paper and labor costs associated with report generation can spiral out of control. Mountains of paper threaten to swamp your files. Robot automates report bursting, distribution, bundling, and archiving, and offers secure, selective online report viewing. Manage your reports with the Robot Report Management Solution. Key features include:

  • FORTRAFor over 30 years, Robot has been a leader in systems management for IBM i. With batch job creation and scheduling at its core, the Robot Job Scheduling Solution reduces the opportunity for human error and helps you maintain service levels, automating even the biggest, most complex runbooks. Manage your job schedule with the Robot Job Scheduling Solution. Key features include:

  • LANSA Business users want new applications now. Market and regulatory pressures require faster application updates and delivery into production. Your IBM i developers may be approaching retirement, and you see no sure way to fill their positions with experienced developers. In addition, you may be caught between maintaining your existing applications and the uncertainty of moving to something new.

  • LANSAWhen it comes to creating your business applications, there are hundreds of coding platforms and programming languages to choose from. These options range from very complex traditional programming languages to Low-Code platforms where sometimes no traditional coding experience is needed. Download our whitepaper, The Power of Writing Code in a Low-Code Solution, and:

  • LANSASupply Chain is becoming increasingly complex and unpredictable. From raw materials for manufacturing to food supply chains, the journey from source to production to delivery to consumers is marred with inefficiencies, manual processes, shortages, recalls, counterfeits, and scandals. In this webinar, we discuss how:

  • The MC Resource Centers bring you the widest selection of white papers, trial software, and on-demand webcasts for you to choose from. >> Review the list of White Papers, Trial Software or On-Demand Webcast at the MC Press Resource Center. >> Add the items to yru Cart and complet he checkout process and submit

  • Profound Logic Have you been wondering about Node.js? Our free Node.js Webinar Series takes you from total beginner to creating a fully-functional IBM i Node.js business application.

  • SB Profound WC 5536Join us for this hour-long webcast that will explore:

  • Fortra IT managers hoping to find new IBM i talent are discovering that the pool of experienced RPG programmers and operators or administrators with intimate knowledge of the operating system and the applications that run on it is small. This begs the question: How will you manage the platform that supports such a big part of your business? This guide offers strategies and software suggestions to help you plan IT staffing and resources and smooth the transition after your AS/400 talent retires. Read on to learn: