29
Mon, Apr
1 New Articles

TechTip: Accessing Packed Data in "Flat" Files

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

Many of us still struggle with "flat" files on the iSeries because many shops still run some legacy code. These venerable yet functional pieces of code often require either a process too unique to be handled by a packaged software application or an interface for the iSeries DB2/UDB database or some other database.

As iSeries professionals become more familiar with SQL, they find situations where they would like to use SQL against these flat files. You might think that the lack of field definitions makes this impossible, but that's not the case. Even flat files have rudimentary field definitions that can be used in SQL statements.

My new book, SQL for eServer i5 and iSeries, outlines the process for dealing with data in flat files. This is just one of many uniquely iSeries issues that the book covers, including topics as old as flat files and as new as Java, Visual Explain, and encoded vector indexes. The following excerpt illustrates the handling of flat files.

A customer master file developed on the S/36 in RPG II would look something like the example shown in Figure 1.

http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V300.png

Figure 1: This Customer Master flat file came from RPG II. (Click images to enlarge.)

This type of file is sometimes called a "flat" file because it has no features or "terrain." It is just one long row of data. Typically, it is thought of as having no external definition, so running an SQL against it is impossible, right? Wrong! The iSeries provides an external definition for every file within the database. It's just that this one has very few fields! (See Figure 2.)

http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V301.png

Figure 2: These are the field definitions for CUSTFLAT.

Field names such as CUSTFLAT, F00001, or K00001 define the data and key portions of the record. Files created in the S/36 environment often have F00001, F00002, K00001 as fields. F00001 and F00002 represent the data portions of the record, whereas K00001 represents the key portion of the record. To create a flat file in the native environment, simply run this command:

CRTPF FILE(CUSTFLAT) RCDLEN(137)

The system creates a field name that defines the entire record and has the same name as the file name--in this case, CUSTFLAT. Using the SUBSTR function, you can extract the data for each individual field from within the larger, generic CUSTFLAT, F00001, or K00001 fields.


SELECT SUBSTR(CUSTFLAT,4,30) FROM CUSTFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V302.png

Figure 3: Use SELECT with the substring function.

The command shown above displays all the customer names in the file. Including numeric data is a little trickier; if it was stored in zoned decimal format, then each digit occupies one byte of space in the record and it can be displayed using this command:

SELECT SUBSTR(INVFLAT,1,7), SUBSTR(INVFLAT,8,7)
FROM INVFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V303.png

Figure 4: Select numeric data from a flat file.

Looking at the resulting data in Figure 4, you probably noticed that the quantity field is not formatted well. To dress up the quantity field, use the DECIMAL function to convert it from a character field to a numeric field:

SELECT SUBSTR(INVFLAT,1,7), DECIMAL(SUBSTR(INVFLAT,8,7),7,0)
FROM INVFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V304.png

Figure 5: Format data with multiple functions.

In Figure 5, one function is wrapped around another to format the quantity column appropriately.

Handling Negative Numbers in Non-Database Files

In the previous examples, the quantities have been positive. However, you may need to process negative numbers in some applications. This is difficult because IBM stores the sign in the zone portion of the last digit of the number. For positive values, the zone portion is loaded with a hex "F." For negative values, it's loaded with a hex "D." You can use the CASE statement in SQL to handle sign processing.

SELECT SUBSTR(INVFLAT,1,7),
CASE WHEN SUBSTR(HEX(SUBSTR(INVFLAT,21,1)),1,1) ='F' THEN
DEC(DEC(SUBSTR(INVFLAT,15,6) CONCAT 
SUBSTR(HEX(SUBSTR(INVFLAT,21,1)),2,1))/100,7,2) 
     ELSE
DEC(DEC(SUBSTR(INVFLAT,15,6) CONCAT
SUBSTR(HEX(SUBSTR(INVFLAT,21,1)),2,1))/100 * -1,7,2) 
     END
FROM INVFLAT

In this example, you extract the part number and the price. You can see in Figure 6 that the last record has a negative value for the price field, demonstrating one method for handling negative values.

Handling Packed Numbers in Non-Externally Defined Database Files

This gets even trickier when the data in the file is packed. Each digit of packed numeric data is compressed into a half of a byte. Use the HEX function to unpack this data:

http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V305.png

Figure 6: Handle negative values in flat files.

SELECT SUBSTR(CUSTFLAT,4,30), HEX(SUBSTR(CUSTFLAT,1,3))
FROM CUSTFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V306.png

Figure 7: Handle packed values in flat files.

This example code unpacks the data, but as shown in Figure 7, it includes the sign as an extra character at the end of the number. An "F" indicates a positive value, and "D" indicates a negative value. We can remove the sign character by wrapping another SUBSTR around the whole expression:

SELECT SUBSTR(CUSTFLAT,4,30), SUBSTR(HEX(SUBSTR(CUSTFLAT,1,3)),1,5)
FROM CUSTFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V307.png

Figure 8: Eliminate the packed sign position.

The technique illustrated in Figure 8 works well as long as the data is always positive. If the data can be negative, then more logic must be added to deal with the sign. Here's an example of handling the sign with a CASE statement:

SELECT SUBSTR(CUSTFLAT,4,30),
DECIMAL(SUBSTR(HEX(SUBSTR(CUSTFLAT,1,3)),1,5),5,0) * CASE
WHEN SUBSTR(HEX(SUBSTR(CUSTFLAT,3,1)),2,1) ='F' THEN 1 
ELSE -1 END
FROM CUSTFLAT


http://www.mcpressonline.com/articles/images/2002/TechTipforbook--091004--V308.png

Figure 9: This is the best solution for packed numbers in flat files.

Wow! Is that complicated or what? As shown in Figure 9, the values are now numeric and would have a negative sign if needed. I said it was possible; I didn't say it was easy! The last example was a little silly because our customer number will probably never be negative, but the technique can be used on any packed number.

These examples clearly define practical ways to manage data in non-database files with SQL. It's a little complicated, but flat files make all programming work more complicated! Your best bet is to rebuild your files as an externally described database. But if you are forced to work with old flat files, you can still use SQL.

You've now learned more than how to handle flat files. You've learned how to use multiple functions together to achieve a desired result and how to use the CASE statement within SQL.

Kevin Forsythe is the author of the new book SQL for eServer i5 and iSeries. He has over 18 years of experience working with the iSeries platform and its predecessors. He has been a member of the DMC team for the past nine years. Kevin's primary responsibility is providing iSeries education, but he also provides customers with project management, system design, analysis, and technical construction. In addition to his technical skills (RPG IV, CL, OS/400, SQL, FTP, Query, VB, Net.Data), Kevin possesses the ability to communicate new and complex concepts to his students. He has been the primary instructor for DMC's iSeries-based AS/Credentials training courses since 1997 and has authored courses such as Advanced ILE, SQL, Embedded SQL, Operations Navigator, and Intro to WebSphere Studio. An award-winning speaker, he has spoken at every COMMON Conference since the spring of 2000.



 

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: