19
Fri, Apr
5 New Articles

Practical RPG: Exploit the Power of Program Messages

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

User feedback is an important part of any application design, and program messages provide a powerful, flexible tool to communicate with your users.

 

Program message support is a powerful feature woven into the very fabric of i5/OS. Nearly all facets of programming on the platform can make use of these messages, and the more you use them the more powerful they become. They can provide for everything from error handling to user notification to customization to internationalization. Usually such flexibility can be achieved only through a relatively complex set of APIs, and the program message APIs are no exception. Fear not; this article starts you on the path of enlightenment with an example that's easy to understand.

Welcome to Program Messages

The simplest way to view a program message is as a notification from one program to another. A program message starts with a message description, which is identified by a seven-character message ID. Most i5/OS developers are familiar with the message ID concept, with CPF0001 being a common message received when a program is not found. The message notifies the caller of some sort of condition. The condition doesn't even have to be an error; program messages are often used to indicate successful completion of a task.

 

The primary component of a message is the message text. Note that messages actually support two different text values: the first-level and second-level text. Typically, only the first-level text is shown, and usually in a single line on the screen, so for messages meant to be read by users, keep the first-level text concise. The second-level text is seen only in the joblog or when a user presses the Help key on a standard message. The moral is to keep your message short.

 

Besides literal text, messages can also have substitution variables as shown in Figure 1. I'm showing a simple user-defined message rather than one of the system-supplied messages. I wanted to showcase the capability of creating user messages; you really start taking advantage of program messages when you have your own message files and messages.

 

110409PlutaFigure1

Figure 1: This is how a message description is structured and used. (Click image to enlarge.)

 

In this case, I have a message file with just a couple of messages in it, MSG0001 and MSG0002. Of these, I'm only showing MSG0001, which has text of "Customer &1 not found." The &1 indicates a substitution variable, and if we look at the command that creates it, we can see how that variable is expected to look.

 

 ADDMSGD    MSGID(MSG0001) MSGF(MYLIB/MYMSGF) +

            MSG('Customer &1 not found.') +

            FMT((*CHAR 10)) 

 

There you go, a simple message. I had to have previously created a message file named MYMSGF in MYLIB, and then I execute this command to add the MSG0001 message description. The FMT keyword defines the size and type of the substitution variables, while the MSG field shows where they go in the message.

 

In a more robust environment, I might also specify a second-level text that would provide more information, typically more complete cause information and suggested recovery options. The second-level text shares the substitution variables with the first-level text.

Using the Program Message

I noted before that the underlying API is relatively complex. That's true; the i5/OS APIs used to directly support program messages include QMHSNDPM, QMHRCVPM, and QMHRMVPM, which take up to 15 parameters. The good news is that, especially for this example, you don't need them, because IBM kindly wrappered those APIs in some relatively easy to use commands. The SNDPGMMSG in particular allows you to send a program message without having to worry about most of the complexity of the QMHSNDPM API.

 

In this very simple example, I'm going to send a program message from a called program (PMISND) back to the calling test program (PMISNDT1). I'll be calling the test program from the command line, so the message will appear in the job log for the job.

 

Here are the two programs:

 

 PMISND:  PGM        PARM(&MSGID &MSGDTA)

          DCL        VAR(&MSGID) TYPE(*CHAR) LEN(7)

          DCL        VAR(&MSGDTA) TYPE(*CHAR) LEN(80)

 

          DCL        VAR(&MSGFNAM) TYPE(*CHAR) LEN(10) +

                       VALUE('MYMSGF')

          DCL        VAR(&MSGFLIB) TYPE(*CHAR) LEN(10) +

                       VALUE('*LIBL')

 

          SNDPGMMSG  MSGID(&MSGID) MSGF(&MSGFLIB/&MSGFNAM) +

                       MSGDTA(&MSGDTA) TOPGMQ(*PRV) MSGTYPE(*INFO)

 

          ENDPGM 

 

This message program is quite simple. It takes a message ID and some message data and sends the message. What isn't immediately obvious is the TOPGMQ parameter, which allows me to specify the target of the message. The default as shown here just sends the message to the calling program, but other options allow you to send the value to other places in the stack or even to the external message queue (this is good for sending status messages).

 

This default is also used by the majority of interactive programs because it will automatically send the message to the calling program, which in turn can display all program messages by using a special feature of the 5250 display file, the program message subfile. I'll deal with that in another article.

 

OK, let me show you the calling program:

 

 h option(*srcstmt: *nodebugio)

 

 d PMISND          pr                  extpgm('PMISND')

 d   msgid                        7    const

 d   msgdta                      80    const

 

  /free

   PMISND('CUS9999':' ');

   *inlr = *on;

   return;

  /end-free

 

The program is hard-coded to send message CUS9999. This might be the case if, for example, you have yet to actually write the underlying logic and this is just a placeholder routine.

 

 ADDMSGD    MSGID(CUS9999) MSGF(MYLIB/MYMSGF) +

            MSG('Function not implemented.')

 

If I compile both programs and call PMISNDT1, I get this:

 

   > call pmisndt1             

                               

Type command, press Enter.    

===>   __________________________

_________________________________

 

You'll note that you don't see the message. That's because the message was sent to the PMISNDT1 program, not to the command-line processor. The message is in the job log, but not available at this level. To see the CUS9999 message, just hit F10 (Include Detailed Messages). This will appear:

 

 4 > call pmisndt1             

 Feature not yet implemented.

 

Type command, press Enter.

===>   __________________________

_________________________________

 

You can make the message appear a couple of other ways, either hard-coding the target to be QCMD instead of *PRV or else using the QMHSNDPM API to do a little more sophisticated work.

A Brief Look at Message Data

So what about the message data parameter? Let me show you a final example, with a little modification to the test program. First, let me add a new message.

 

  ADDMSGD    MSGID(CUS0001) MSGF(MCP/MYMSGF) +

             MSG('Customer &1, name &2.') +

             FMT((*DEC  6 0) (*CHAR 30))

 

In this command, I've identified two parameters, one a 6.0 packed-decimal field and one a 30-byte character field. I've also identified where in the message the substitution variables should appear. Now, to use this new message, I wrote a new program that takes a parameter and then sends the new message along with the appropriate message data.

 

 h option(*srcstmt: *nodebugio)

 

 d PMISND          pr                  extpgm('PMISND')

 d   msgid                        7    const

 d   msgdta                      80    const

 

 d PMISNDT2        pr

 d   Customer                     6S 0

 d PMISNDT2        pi

 d   Customer                     6S 0

 

 d dsMsgdta        ds                   qualified

 d  Customer                      6P 0

 d  Name                         30

 

  /free

 

   dsMsgdta.Customer = Customer;

   dsMsgdta.Name = 'Customer Name';

 

   PMISND('CUS0001':dsMsgdta);

   *inlr = *on;

   return;

 

  /end-free

 

This program accepts a single six-digit zoned decimal number and then puts that customer number along with a dummy customer name into the dsMsgdta data structure. You can see that dsMsgdta has two fields, one for the 6.0 packed customer number and one for the 30-byte customer name value. That data structure is passed to the PMISND program and is then used as the MSGDTA parameter on the SNDPGMMSG command. And here is what happens:

 

 4 > call pmisndt2 '123456'

 Customer 123456, name Customer Name.

 

Type command, press Enter.

===>   __________________________

_________________________________

 

That's it! The messaging software takes care of formatting the message properly. Of course, this is a very trivial example, but it gives you an idea of how the technique can be used. Rather than just a generic message, you can provide specific information to help the user better understand the situation. I hope this was intriguing, and perhaps I can write more articles on this subject.

                               

 

Joe Pluta

Joe Pluta is the founder and chief architect of Pluta Brothers Design, Inc. He has been extending the IBM midrange since the days of the IBM System/3. Joe uses WebSphere extensively, especially as the base for PSC/400, the only product that can move your legacy systems to the Web using simple green-screen commands. He has written several books, including Developing Web 2.0 Applications with EGL for IBM i, E-Deployment: The Fastest Path to the Web, Eclipse: Step by Step, and WDSC: Step by Step. Joe performs onsite mentoring and speaks at user groups around the country. You can reach him at This email address is being protected from spambots. You need JavaScript enabled to view it..


MC Press books written by Joe Pluta available now on the MC Press Bookstore.

Developing Web 2.0 Applications with EGL for IBM i Developing Web 2.0 Applications with EGL for IBM i
Joe Pluta introduces you to EGL Rich UI and IBM’s Rational Developer for the IBM i platform.
List Price $39.95

Now On Sale

WDSC: Step by Step WDSC: Step by Step
Discover incredibly powerful WDSC with this easy-to-understand yet thorough introduction.
List Price $74.95

Now On Sale

Eclipse: Step by Step Eclipse: Step by Step
Quickly get up to speed and productivity using Eclipse.
List Price $59.00

Now On Sale

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: