Sidebar

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

DB2
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 jarek@us.ibm.com.

BLOG COMMENTS POWERED BY DISQUS

LATEST COMMENTS

Support MC Press Online

RESOURCE CENTER

  • WHITE PAPERS

  • WEBCAST

  • TRIAL SOFTWARE

  • White Paper: Node.js for Enterprise IBM i Modernization

    SB Profound WP 5539

    If your business is thinking about modernizing your legacy IBM i (also known as AS/400 or iSeries) applications, you will want to read this white paper first!

    Download this paper and learn how Node.js can ensure that you:
    - Modernize on-time and budget - no more lengthy, costly, disruptive app rewrites!
    - Retain your IBM i systems of record
    - Find and hire new development talent
    - Integrate new Node.js applications with your existing RPG, Java, .Net, and PHP apps
    - Extend your IBM i capabilties to include Watson API, Cloud, and Internet of Things


    Read Node.js for Enterprise IBM i Modernization Now!

     

  • Profound Logic Solution Guide

    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 companyare not aligned with the current IT environment.

    Get your copy of this important guide today!

     

  • 2022 IBM i Marketplace Survey Results

    Fortra2022 marks the eighth edition of the IBM i Marketplace Survey Results. Each year, Fortra captures data on how businesses use the IBM i platform and the IT and cybersecurity initiatives it supports.

    Over the years, this survey has become a true industry benchmark, revealing to readers the trends that are shaping and driving the market and providing insight into what the future may bring for this technology.

  • Brunswick bowls a perfect 300 with LANSA!

    FortraBrunswick is the leader in bowling products, services, and industry expertise for the development and renovation of new and existing bowling centers and mixed-use recreation facilities across the entertainment industry. However, the lifeblood of Brunswick’s capital equipment business was running on a 15-year-old software application written in Visual Basic 6 (VB6) with a SQL Server back-end. The application was at the end of its life and needed to be replaced.
    With the help of Visual LANSA, they found an easy-to-use, long-term platform that enabled their team to collaborate, innovate, and integrate with existing systems and databases within a single platform.
    Read the case study to learn how they achieved success and increased the speed of development by 30% with Visual LANSA.

     

  • The Power of Coding in a Low-Code Solution

    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:

    • Discover the benefits of Low-code's quick application creation
    • Understand the differences in model-based and language-based Low-Code platforms
    • Explore the strengths of LANSA's Low-Code Solution to Low-Code’s biggest drawbacks

     

     

  • Why Migrate When You Can Modernize?

    LANSABusiness 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.
    In this white paper, you’ll learn how to think of these issues as opportunities rather than problems. We’ll explore motivations to migrate or modernize, their risks and considerations you should be aware of before embarking on a (migration or modernization) project.
    Lastly, we’ll discuss how modernizing IBM i applications with optimized business workflows, integration with other technologies and new mobile and web user interfaces will enable IT – and the business – to experience time-added value and much more.

     

  • UPDATED: Developer Kit: Making a Business Case for Modernization and Beyond

    Profound Logic Software, Inc.Having trouble getting management approval for modernization projects? The problem may be you're not speaking enough "business" to them.

    This Developer Kit provides you study-backed data and a ready-to-use business case template to help get your very next development project approved!

  • What to Do When Your AS/400 Talent Retires

    FortraIT managers hoping to find new IBM i talent are discovering that the pool of experienced RPG programmers and operators or administrators is small.

    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:

    • Why IBM i skills depletion is a top concern
    • How leading organizations are coping
    • Where automation will make the biggest impact

     

  • Node.js on IBM i Webinar Series Pt. 2: Setting Up Your Development Tools

    Profound Logic Software, Inc.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. In Part 2, Brian May teaches you the different tooling options available for writing code, debugging, and using Git for version control. Attend this webinar to learn:

    • Different tools to develop Node.js applications on IBM i
    • Debugging Node.js
    • The basics of Git and tools to help those new to it
    • Using NodeRun.com as a pre-built development environment

     

     

  • Expert Tips for IBM i Security: Beyond the Basics

    SB PowerTech WC GenericIn this session, IBM i security expert Robin Tatam provides a quick recap of IBM i security basics and guides you through some advanced cybersecurity techniques that can help you take data protection to the next level. Robin will cover:

    • Reducing the risk posed by special authorities
    • Establishing object-level security
    • Overseeing user actions and data access

    Don't miss this chance to take your knowledge of IBM i security beyond the basics.

     

     

  • 5 IBM i Security Quick Wins

    SB PowerTech WC GenericIn today’s threat landscape, upper management is laser-focused on cybersecurity. You need to make progress in securing your systems—and make it fast.
    There’s no shortage of actions you could take, but what tactics will actually deliver the results you need? And how can you find a security strategy that fits your budget and time constraints?
    Join top IBM i security expert Robin Tatam as he outlines the five fastest and most impactful changes you can make to strengthen IBM i security this year.
    Your system didn’t become unsecure overnight and you won’t be able to turn it around overnight either. But quick wins are possible with IBM i security, and Robin Tatam will show you how to achieve them.

  • Security Bulletin: Malware Infection Discovered on IBM i Server!

    SB PowerTech WC GenericMalicious programs can bring entire businesses to their knees—and IBM i shops are not immune. It’s critical to grasp the true impact malware can have on IBM i and the network that connects to it. Attend this webinar to gain a thorough understanding of the relationships between:

    • Viruses, native objects, and the integrated file system (IFS)
    • Power Systems and Windows-based viruses and malware
    • PC-based anti-virus scanning versus native IBM i scanning

    There are a number of ways you can minimize your exposure to viruses. IBM i security expert Sandi Moore explains the facts, including how to ensure you're fully protected and compliant with regulations such as PCI.

     

     

  • Encryption on IBM i Simplified

    SB PowerTech WC GenericDB2 Field Procedures (FieldProcs) were introduced in IBM i 7.1 and have greatly simplified encryption, often without requiring any application changes. Now you can quickly encrypt sensitive data on the IBM i including PII, PCI, PHI data in your physical files and tables.
    Watch this webinar to learn how you can quickly implement encryption on the IBM i. During the webinar, security expert Robin Tatam will show you how to:

    • Use Field Procedures to automate encryption and decryption
    • Restrict and mask field level access by user or group
    • Meet compliance requirements with effective key management and audit trails

     

  • Lessons Learned from IBM i Cyber Attacks

    SB PowerTech WC GenericDespite the many options IBM has provided to protect your systems and data, many organizations still struggle to apply appropriate security controls.
    In this webinar, you'll get insight into how the criminals accessed these systems, the fallout from these attacks, and how the incidents could have been avoided by following security best practices.

    • Learn which security gaps cyber criminals love most
    • Find out how other IBM i organizations have fallen victim
    • Get the details on policies and processes you can implement to protect your organization, even when staff works from home

    You will learn the steps you can take to avoid the mistakes made in these examples, as well as other inadequate and misconfigured settings that put businesses at risk.

     

     

  • The Power of Coding in a Low-Code Solution

    SB PowerTech WC GenericWhen 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:

    • Discover the benefits of Low-code's quick application creation
    • Understand the differences in model-based and language-based Low-Code platforms
    • Explore the strengths of LANSA's Low-Code Solution to Low-Code’s biggest drawbacks

     

     

  • Node Webinar Series Pt. 1: The World of Node.js on IBM i

    SB Profound WC GenericHave 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.
    Part 1 will teach you what Node.js is, why it's a great option for IBM i shops, and how to take advantage of the ecosystem surrounding Node.
    In addition to background information, our Director of Product Development Scott Klement will demonstrate applications that take advantage of the Node Package Manager (npm).
    Watch Now.

  • The Biggest Mistakes in IBM i Security

    SB Profound WC Generic The Biggest Mistakes in IBM i Security
    Here’s the harsh reality: cybersecurity pros have to get their jobs right every single day, while an attacker only has to succeed once to do incredible damage.
    Whether that’s thousands of exposed records, millions of dollars in fines and legal fees, or diminished share value, it’s easy to judge organizations that fall victim. IBM i enjoys an enviable reputation for security, but no system is impervious to mistakes.
    Join this webinar to learn about the biggest errors made when securing a Power Systems server.
    This knowledge is critical for ensuring integrity of your application data and preventing you from becoming the next Equifax. It’s also essential for complying with all formal regulations, including SOX, PCI, GDPR, and HIPAA
    Watch Now.

  • Comply in 5! Well, actually UNDER 5 minutes!!

    SB CYBRA PPL 5382

    TRY 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.

    Request your trial now!

  • Backup and Recovery on IBM i: Your Strategy for the Unexpected

    FortraRobot automates the routine 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:
    - Simplified backup procedures
    - Easy data encryption
    - Save media management
    - Guided restoration
    - Seamless product integration
    Make sure your data survives when catastrophe hits. Try the Robot Backup and Recovery Solution FREE for 30 days.

  • Manage IBM i Messages by Exception with Robot

    SB HelpSystems SC 5413Managing messages on your IBM i can be more than a full-time job if you have to do it manually. 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:
    - Automated message management
    - Tailored notifications and automatic escalation
    - System-wide control of your IBM i partitions
    - Two-way system notifications from your mobile device
    - Seamless product integration
    Try the Robot Message Management Solution FREE for 30 days.

  • Easiest Way to Save Money? Stop Printing IBM i Reports

    FortraRobot 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:

    - Automated report distribution
    - View online without delay
    - Browser interface to make notes
    - Custom retention capabilities
    - Seamless product integration
    Rerun another report? Never again. Try the Robot Report Management Solution FREE for 30 days.

  • Hassle-Free IBM i Operations around the Clock

    SB HelpSystems SC 5413For over 30 years, Robot has been a leader in systems management for IBM i.
    Manage your job schedule with the Robot Job Scheduling Solution. Key features include:
    - Automated batch, interactive, and cross-platform scheduling
    - Event-driven dependency processing
    - Centralized monitoring and reporting
    - Audit log and ready-to-use reports
    - Seamless product integration
    Scale your software, not your staff. Try the Robot Job Scheduling Solution FREE for 30 days.