Sidebar

TechTip: DB2 for i Impersonation Take 2: External Routines

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

Use these external SQL routines as an alternative to the somewhat restrictive SET SESSION AUTHORIZATION statement.

 

In "Impersonate Your Neighbor Using DB2 for i," I outlined how to use the SET SESSION AUTHORIZATION SQL statement to override the user profile of the current thread or, in many cases, the current job. The benefits of doing this include providing temporary authorization to resources such as IFS files and impersonating another user so that user-dependent code will be tricked into thinking that a different user is running it. However, there are a few restrictions on this statement that can limit its usefulness. In this tip, I'll introduce some external SQL routines (written in RPG) that allow an application to override the user profile without some of the restrictions of the built-in DB2 functionality.

 

In particular, a few potential restrictions I found using SET SESSION AUTHORIZATION are these:

  • This statement cannot be executed within an SQL function or procedure (although it can be embedded in a High-Level Language (HLL) program provided that the program is invoked with an IBM i OS call).
  • The user profile handle cannot be changed without DB2 closing all open resources (such as LOB locators, open transactions, open cursors, etc.).
  • *ALLOBJ authority is required to use SET SESSION AUTHORIZATION. Again, the one exception I found to this is a HLL program that uses adopted authority and is invoked by an IBM i OS CALL or SBMJOB command. If you're in a client/server environment, then as of IBM i 7.2, I have found no way of escaping this requirement.

 

The RPG service program USRPRFR can be downloaded here. The instructions for how to create the service program and create the external routine definitions (CREATE PROCEDURE, CREATE FUNCTION, etc.) are in the source's header comments.

 

The RPG code contains four external routines (one scalar function and three procedures):

  • Function GetProfileHandleQuery the current user profile handle of the job. This scalar function returns a BINARY(12) value. The value returned from this function is meant to be used in conjunction with the RestoreProfileHandle procedure.
  • Procedure ChangeCurrentUserChange the current user profile of the job (similar to SET SESSION AUTHORIZATION). This procedure accepts two parameters: user name and password. An error will be thrown if the requested user or password is inaccessible or invalid.
  • Procedure RestoreProfileHandleAfter ChangeCurrentUser is called, this procedure can revert the current user profile of the job back to the original user without specifying a password. This procedure accepts a BINARY(12) user profile handle (retrieved from the GetProfileHandle scalar function) that was saved in a local or global variable. An error is thrown if the original user profile handle can't be restored.
  • Procedure WriteIFSTestThis dummy procedure is used to create IFS file /tmp/test.txt. It can be used to test whether or not the overridden profile is the owner of the newly created IFS file (see example below)..

 

The RPG code was developed on IBM i 7.1, but it should be able to run on IBM i V5R4 or higher. The RPG program makes use of special security APIs called Get Profile Handle (QSYGETPH) and Set Profile Handle (QWTSETP). See the reference at the end of this tip for more information on these APIs and how to use them in an RPG program.

Sample Usage

The following dynamic compound statement (requires IBM i 7.1Group PTF Level 26) illustrates how the aforementioned user profile routines work together:

 

-- Start the dynamic compound statement using

-- user profile NOBLE

BEGIN

   DECLARE @SQL VARCHAR(1024)

       DEFAULT 'CREATE VARIABLE DATA.PROFILE_HANDLE BINARY(12)';

 

   -- Drop global variable if it exists

   IF EXISTS (

       SELECT *

         FROM QSYS2.SYSVARIABLES

        WHERE VARIABLE_SCHEMA='DATA'

          AND VARIABLE_NAME='PROFILE_HANDLE') THEN

       DROP VARIABLE DATA.PROFILE_HANDLE;

   END IF;

 

   -- Create global variable to hold profile handle

   -- Is this a DB2 bug with dynamic compound statements?

   -- Use dynamic SQL instead of a static statement  :(

   EXECUTE IMMEDIATE @SQL;

 

   -- Make sure that the variable can be read by others

   GRANT READ ON VARIABLE DATA.PROFILE_HANDLE TO PUBLIC;

 

   INSERT INTO QTEMP.RESULTS VALUES('Original Profile',SYSTEM_USER,USER);

 

   -- Save the handle of the existing profile in a global variable

   SET DATA.PROFILE_HANDLE=DATA.GetProfileHandle();

 

   -- Change the job's current user to SERF

   CALL DATA.ChangeCurrentUser('SERF','serf');

 

   INSERT INTO QTEMP.RESULTS VALUES('New Profile',SYSTEM_USER,USER);

 

   -- Create a test file on the IFS (should be owned by SERF)

   CALL DATA.WriteIFSTest;

 

   CREATE TABLE DATA.TEST1 (C1 CHAR(1));  -- Owned by SERF

 

   -- Restore the user profile NOBLE by retrieving the saved handle

   CALL DATA.RestoreProfileHandle(DATA.PROFILE_HANDLE);

 

   INSERT INTO QTEMP.RESULTS VALUES('Back to Original',SYSTEM_USER,USER);

 

   CREATE TABLE DATA.TEST2 (C1 CHAR(1));  -- Owned by NOBLE

END;

 

The steps in the process are fairly easy to discern:

  1. The current user profile handle for user NOBLE is fetched with function GetProfileHandle()and saved into a global variable.
  2. The job impersonates user profile "SERF" via the ChangeCurrentUser procedure. Unfortunately, the profile's password is required. Though not shown here, it's always a good idea to encrypt a password using one of the DB2 encryption functions before storing it in a table, data area, or global variable.
  3. Two operations are done (create IFS file and CREATE TABLE) to demonstrate that SERF is considered the current user and owns the new objects. To verify, review the object owner after the code finishes.
  4. Procedure RestoreProfileHandle is used to put the user profile back to the original profile without using a password. Don't forget; the original user's handle was retrieved with GetProfileHandle().
  5. Finally, another table TEST2 is created to demonstrate that the original user (NOBLE) owns the newly created table instead of the impersonated user SERF.
  6. Throughout the procedure, a dummy table with three columns called QTEMP.RESULTS is populated to show what the USER and SYSTEM_USER special registers contain before the profile handle is changed, after the profile handle is changed, and after the original profile handle has been restored.

 

One other thing is that DB2 will now allow a transaction to run with the user impersonation. In contrast, when using SET SESSION AUTHORIZATION, all open transactions are discarded.

 

-- Start the dynamic compound statement using

-- user profile NOBLE  (assumes PROFILE_HANDLE global variable exists

-- and that tables MYTABLE and YOURTABLE are journaled)

SET TRANSACTION ISOLATION LEVEL READ COMMITTED;

 

INSERT INTO MYDATA.MYTABLE VALUES(1,'Original User',USER);

 

-- Save the handle of the existing profile in a global variable

SET DATA.PROFILE_HANDLE=DATA.GetProfileHandle();

 

-- Change the job's current user to SERF

CALL DATA.ChangeCurrentUser('SERF','serf');

 

INSERT INTO MYDATA.YOURTABLE VALUES(1,'Override User',USER);

 

-- Restore the user profile NOBLE by retrieving the saved handle

CALL DATA.RestoreProfileHandle(DATA.PROFILE_HANDLE);

 

COMMIT;

-- Verify data committed successfully and that the

-- user profile register was saved as expected

SELECT * FROM MYDATA.MYTABLE

UNION ALL

SELECT * FROM MYDATA.YOURTABLE;

Restrictions and "Funny Behavior"

  • In a series of nested procedure or function calls, DB2 may not recognize the profile change.
  • The SYSTEM_USER special register does not change after calling the ChangeCurrentUser function, but the USER, SESSION_USER,and CURRENT_USER special registers do. By comparing these registers, it's possible to see the "overridden" user profile and the original connected user profile simultaneously. This behavior is consistent with SET SESSION AUTHORIZATION. However, if your code relies on SYSTEM_USER instead of USER, then the impersonation may not affect the code execution as desired. Note: If you want your application code to avoid the effects of impersonation, use SYSTEM_USER because it will not change (although in a client/server environment, SYSTEM_USER will most likely contain QUSER).
  • While testing a user profile change in a dynamic compound statement, I found when an error occurs, DB2 will return a strange error message and then quit. For example, when trying to create a table that already exists, you'd expect error SQL0601 (*FILE already exists). However, once the profile has been overridden, DB2 for i returns an SQL0952 error (SQLSTATE 57014, "Processing of the SQL statement ended.") At this point, you have to go back and look for the true error. Also, unless error handling is implemented appropriately, your current SQL session will still be under the control of the overridden profile instead of the original.
  • I imagine changing the profile on the fly has the potential to screw up DB2 royally. There is probably a good reason why IBM releases all resources before allowing a profile switch. So make sure to test this code thoroughly (including potential for trapping various errors and continued but unwanted authorization to various resources) before using it in a production environment.
  • When it comes to security checking by DB2, I found that when changing the user profile midstream in code and then calling a procedure, DB2 didn't correctly check the permission on the procedure. In my testing, I started a dynamic compound statement (DCS) with a profile with *ALLOBJ special authority, within the DCS switched to a user with no special authority, and then called a procedure. I was still able to run the procedure even though the current user technically wasn't authorized.  So it appears as though DB2 ignores or is oblivious to the user switch when checking some authorizations on objects.

 

These DB2 for i external routines used to override the user profile can allow your code to impersonate another user. This is useful for applications such as workflows that follow rules based on user profiles. The routines also provide an alternative to the DB2 SET SESSION AUTHORIZATION but with the following benefits:

  • A user isn't required to have *ALLOBJ special authority.
  • The profile change request can be placed within a dynamic compound statement, SQL or HLL-embedded SQL code, and can also be used in a client/server environment.
  • A transaction can remain open across a profile context change.

 

The one drawback compared to SET SESSION AUTHORIZAITON is that the application has to supply the password to impersonate the desired user profile.

References

TechTip: Change the User Profile for the Currently Running Job

 

Michael Sansoterra is a DBA for Broadway Systems in Grand Rapids, Michigan. He can be contacted at sqlsleuth@gmail.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.

     

  • Progressive Web Apps: Create a Universal Experience Across All Devices

    LANSAProgressive Web Apps allow you to reach anyone, anywhere, and on any device with a single unified codebase. This means that your applications—regardless of browser, device, or platform—instantly become more reliable and consistent. They are the present and future of application development, and more and more businesses are catching on.
    Download this whitepaper and learn:

    • How PWAs support fast application development and streamline DevOps
    • How to give your business a competitive edge using PWAs
    • What makes progressive web apps so versatile, both online and offline

     

     

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