Module 1: Introduction to JCL

PIL Logo 2023

Overview of JCL

Job Control Language (JCL) is a scripting language used to communicate with the IBM z/OS operating system. It instructs the system on how to execute a batch job or manage datasets and system resources.

Key Points:

  • JCL is essential for running batch processes in mainframes.

  • It provides instructions for program execution, dataset management, and output routing.

  • JCL scripts are interpreted by the Job Entry Subsystem (JES).

Common Uses of JCL:

  • Scheduling and executing COBOL or PL/I programs.

  • Handling data-intensive batch processing jobs.

  • Managing system backups, reports, and logs.

Importance of JCL in Mainframe Systems

JCL acts as the backbone for mainframe operations, allowing batch processing systems to operate efficiently and reliably. Its importance lies in:

  1. Resource Management: Allocates necessary system resources like memory, storage, and CPUs.

  2. Batch Job Automation: Automates repetitive tasks, increasing efficiency.

  3. Integration with zOS: Acts as a bridge between application programs and the mainframe operating system.

  4. Scalability and Reliability: Handles massive data workloads with minimal human intervention.

  5. Production Support: Widely used in industries like banking, healthcare, and retail for critical job scheduling and execution.

Basic Structure of a JCL Script

A JCL script consists of several statements organized into three primary components:

JOB Statement Defines the start of a job and provides job-level parameters such as job name, accounting information, and notification requirements.

Example:

   //MYJOB JOB (ACCT#), 'DESCRIPTION', CLASS=A, MSGCLASS=X

EXEC Statement Specifies the program or procedure to be executed.

Example:

   //STEP1 EXEC PGM=IEBGENER

DD (Data Definition) Statement Describes datasets, their locations, and their attributes.

Example:

   //INPUT DD DSN=MY.DATASET.INPUT, DISP=SHR

Example of a Simple JCL Script:

//MYJOB JOB (ACCT#), 'SIMPLE JOB', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBGENER
//INPUT DD DSN=MY.DATASET.INPUT, DISP=SHR
//OUTPUT DD DSN=MY.DATASET.OUTPUT, DISP=(NEW,CATLG,DELETE),
//       SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD DUMMY

Hands-On Exercise: Writing Your First JCL

In this exercise, you will create a simple JCL script to copy data from one dataset to another using the IEBGENER utility.

Objective:

Learn the basic structure of JCL by writing a script that:

  1. Executes the IEBGENER utility.

  2. Specifies input and output datasets.

  3. Displays the output in the system log.

Steps:

  1. Open a mainframe text editor (e.g., ISPF).

  2. Write the following JCL script: ` `

  3. Replace SOURCE.DATASET and TARGET.DATASET with actual dataset names.

  4. Submit the job using the SUB command in ISPF.

  5. Verify the job execution using JES or SDSF.

Expected Outcome:

  • The source dataset’s content is copied to the target dataset.

  • The system log (SYSPRINT) confirms the job ran successfully.

Reflection Questions:

  1. What would happen if the DISP parameter in the OUTPUT DD statement was set incorrectly?

  2. How can you modify the job to specify different dataset allocation sizes?

Module 2: JCL Syntax and Structure

PIL Logo 2023

Job Statements

A JOB statement marks the start of a JCL job and defines job-level parameters. It provides critical details such as job name, accounting information, and class specifications.

Structure:

//JOBNAME JOB (ACCTINFO), 'DESCRIPTION', CLASS=A, MSGCLASS=X
  • JOBNAME: Unique name identifying the job.

  • ACCTINFO: Accounting information for job tracking (optional).

  • DESCRIPTION: A short description of the job (optional).

  • CLASS: Determines priority and resource allocation for the job.

  • MSGCLASS: Specifies where job messages are sent (e.g., system log or spool).

Example:

//MYJOB JOB (12345), 'DAILY BACKUP', CLASS=A, MSGCLASS=X

JOB Statement Parameters

Key parameters in the JOB statement include:

  • CLASS: Prioritizes the job for execution. Classes are defined by system administrators.

  • MSGCLASS: Routes system output to a specific destination, like a spool file or printer.

  • NOTIFY: Specifies who will be notified upon job completion. Example: NOTIFY=&SYSUID sends a message to the submitting user.

Advanced Parameters:

  • TIME=MAXIMUM: Limits CPU execution time.

  • TYPRUN=SCAN: Verifies syntax without executing the job.

EXEC Statements

An EXEC statement specifies which program or procedure to execute in a job step.

Structure:

//STEPNAME EXEC PGM=PROGRAMNAME, PARM='parameters'
  • STEPNAME: Unique name for the step.

  • PGM: The name of the program to execute.

  • PARM: Optional parameters passed to the program.

Example:

//STEP1 EXEC PGM=IEBGENER

Specifying Programs and Procedures

Instead of specifying a program (PGM), you can call a cataloged or in-stream procedure:

  • Cataloged Procedure:

//STEP1 EXEC PROC=MYPROC
  • In-Stream Procedure: Defined directly within the JCL script using PROC and PEND statements.

DD Statements

A DD (Data Definition) statement describes the datasets used in a job step.

Structure:

//DDNAME DD DSN=DATASETNAME, DISP=(status,normal,abnormal)
  • DDNAME: Unique name for the dataset within the step.

  • DSN: Specifies the dataset name.

  • DISP: Describes dataset disposition.

Defining Data Sets

  • DISP Parameters:

  • NEW: Creates a new dataset.

  • SHR: Shares an existing dataset.

  • MOD: Appends to an existing dataset.

  • OLD: Requires exclusive access to an existing dataset.

  • SPACE Parameter: Allocates space for new datasets.

Example:

SPACE=(CYL,(5,5)) reserves 5 primary and 5 secondary cylinders.

Common DD Parameters

  • SYSOUT: Directs output to the spool system. Example: SYSOUT=*

  • UNIT: Specifies the device type. Example: UNIT=SYSDA

  • VOLUME: Identifies the volume where the dataset resides.

Temporary and Permanent Data Sets

  • Temporary Datasets: Use && as a prefix for dataset names. Example: &&TEMPFILE

  • Permanent Datasets: Use a specific name, and set DISP to CATLG for cataloging.

Example:

//INPUT DD DSN=MY.DATASET, DISP=SHR
//OUTPUT DD DSN=NEW.DATASET, DISP=(NEW,CATLG),
//       SPACE=(TRK,(1,1)), UNIT=SYSDA

Comments and Continuations

  • Comments: Use //* to add comments in the script.

Example:

   //* THIS IS A COMMENT
  • Continuations: Use a comma at the end of a line to continue parameters on the next line.

Example:

   //DDNAME DD DSN=MY.LONG.DATASET.NAME,
   //         DISP=SHR

Hands-On Exercise: Writing a Multi-Step JCL Job

Objective: Create a multi-step JCL script that: 1. Sorts a dataset. 2. Copies the sorted dataset to a new location.

Steps: 1. Write the following JCL script: ` SORT FIELDS=(1,10,CH,A) /* ` 2. Replace MY.INPUT.DATASET and MY.OUTPUT.DATASET with actual dataset names. 3. Submit the job using the SUB command. 4. Verify the job output in the system log or JES.

Expected Outcome: - The input dataset is sorted and stored temporarily. - The sorted dataset is copied to a permanent location.

Reflection Questions: 1. What happens if the DISP parameter for the SORTOUT dataset is set to DELETE? 2. How can this script be modified to add a third step for printing the sorted dataset?

Module 3: Common JCL Utilities

PIL Logo 2023

File Handling Utilities

IEBGENER

IEBGENER is a commonly used utility for copying datasets, merging files, or generating new datasets. It is simple yet powerful for data manipulation tasks.

Primary Uses: - Copying data from one dataset to another. - Creating sequential datasets from PDS members. - Adding headers or trailers to data.

Example:

//COPYJOB JOB (12345), 'COPY DATA', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBGENER
//SYSUT1 DD DSN=INPUT.DATASET, DISP=SHR
//SYSUT2 DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(1,1)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD DUMMY

SORT and COPY

SORT is used for sorting, merging, or copying datasets. It is efficient for large-scale data manipulation.

Primary Uses: - Sorting records based on specified fields. - Removing duplicates. - Copying datasets.

Example:

//SORTJOB JOB (12345), 'SORT DATA', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=SORT
//SORTIN DD DSN=INPUT.DATASET, DISP=SHR
//SORTOUT DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(TRK,(10,5)), UNIT=SYSDA
//SYSOUT DD SYSOUT=*
//SYSIN DD *
  SORT FIELDS=(1,10,CH,A)
/*

Dataset Management Utilities

IDCAMS

IDCAMS is the Integrated Data Cluster Access Method Services utility, used primarily for VSAM dataset management.

Primary Uses: - Creating and deleting VSAM datasets. - Listing dataset information. - Modifying catalog entries.

Example:

//IDCAMSJOB JOB (12345), 'CREATE VSAM', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IDCAMS
//SYSPRINT DD SYSOUT=*
//SYSIN DD *
  DEFINE CLUSTER(NAME(VSAM.DATASET) -
    CYLINDERS(10 5) -
    RECORDSIZE(80 80) -
    INDEXED)
/*

IEBCOPY

IEBCOPY is used for copying or compressing PDS (Partitioned Data Sets).

Primary Uses: - Backing up PDS. - Compressing unused space in PDS. - Restoring datasets.

Example:

//COPYJOB JOB (12345), 'COPY PDS', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBCOPY
//SYSUT1 DD DSN=OLD.PDS, DISP=SHR
//SYSUT2 DD DSN=NEW.PDS, DISP=(NEW,CATLG),
//        SPACE=(TRK,(10,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD *
  COPY OUTDD=SYSUT2,INDD=SYSUT1
/*

Troubleshooting Utilities

SDSF and Output Analysis

SDSF (System Display and Search Facility) allows users to view and analyze job outputs, logs, and system messages.

Primary Uses: - Viewing job execution results. - Checking JES logs for errors. - Monitoring system performance.

Steps to Analyze Output: 1. Use the SDSF command to access job listings. 2. Filter jobs using OWNER or job name. 3. Examine the SYSOUT and JES logs for error messages or abnormal terminations.

Common Return Codes and Their Interpretation

  • RC=0: Job completed successfully.

  • RC=4: Warning; job completed with minor issues.

  • RC=8: Error; job encountered significant issues.

  • RC=12: Severe error; job failed to complete.

  • RC=16: Critical failure; manual intervention required.

Hands-On Exercise: Using JCL Utilities

Objective: Use IEBGENER, SORT, and IEBCOPY to manipulate and manage datasets.

Steps:

  1. Step 1: Copy a Sequential Dataset ` `

  2. Step 2: Sort the Dataset ` SORT FIELDS=(1,20,CH,A) /* `

  3. Step 3: Copy a PDS ` COPY OUTDD=SYSUT2,INDD=SYSUT1 /* `

Expected Outcome: - The sequential dataset is copied and sorted successfully. - The partitioned dataset is backed up to a new location.

Reflection Questions: 1. How does RC=4 in the SORT step affect the subsequent steps in a job? 2. What additional parameters can be used to customize IEBCOPY operations?

Module 4: Advanced JCL Features

PIL Logo 2023

Conditional Execution

IF/THEN/ELSE Constructs

JCL supports conditional execution using IF/THEN/ELSE constructs, which allow selective execution of job steps based on return codes from previous steps.

Syntax:

//IFSTEP IF (RC = 0) THEN
//STEP1 EXEC PGM=PROG1
//ELSE
//STEP2 EXEC PGM=PROG2
//ENDIF

Key Points: - RC is the return code from a previous step. - Conditions can include EQ, NE, LT, GT, etc. - ELSE and ENDIF are optional.

Example:

//CONDTEST JOB (12345), 'CONDITIONAL EXEC', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBGENER
//SYSUT1 DD DSN=INPUT.DATA, DISP=SHR
//SYSUT2 DD DSN=OUTPUT.DATA, DISP=(NEW,CATLG), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD DUMMY
//IFSTEP IF (STEP1.RC = 0) THEN
//STEP2 EXEC PGM=IEBCOPY
//SYSUT1 DD DSN=OLD.PDS, DISP=SHR
//SYSUT2 DD DSN=NEW.PDS, DISP=(NEW,CATLG), UNIT=SYSDA
//ENDIF

ABEND Handling

Jobs can terminate abnormally (ABEND) due to errors. JCL provides ways to handle ABENDs gracefully.

Key Techniques: - Use the COND parameter to skip steps after an ABEND. Example: COND=(4,LT) - Implement a separate cleanup step for recovery.

Example:

//CLEANUP IF (ABEND) THEN
//CLEAN EXEC PGM=IDCAMS
//SYSPRINT DD SYSOUT=*
//SYSIN DD *
  DELETE TEMP.DATASET
/*

Symbolic Parameters and Overrides

Symbolic parameters provide flexibility by allowing placeholders in procedures or jobs that can be replaced at runtime.

Syntax:

//PROCNAME PROC PARM1=VALUE1, PARM2=VALUE2
...
//STEP EXEC PGM=PROG, PARM=&PARM1

Override Example:

//EXECSTEP EXEC PROC=MYPROC, PARM1='NEWVALUE'

Use Cases: - Reusing procedures across multiple jobs with different input datasets. - Simplifying job customization.

JCL Procedures

In-Stream Procedures

An in-stream procedure is embedded directly in a JCL script using PROC and PEND statements.

Syntax:

//PROCNAME PROC
//STEP1 EXEC PGM=PROGRAM1
//STEP2 EXEC PGM=PROGRAM2
//PEND

Example Usage:

//MYPROC PROC
//STEP1 EXEC PGM=IEBGENER
//SYSUT1 DD DSN=INPUT.DATA, DISP=SHR
//SYSUT2 DD DSN=OUTPUT.DATA, DISP=(NEW,CATLG)
//SYSIN DD DUMMY
//PEND
//EXECSTEP EXEC PROC=MYPROC

Cataloged Procedures

Cataloged procedures are stored in procedure libraries and invoked using the EXEC statement.

Advantages: - Centralized management. - Reusability across jobs.

Example:

//JOBNAME JOB ...
//STEP EXEC PROC=CATALOG.PROC

Restart and Checkpointing

Restarting a Step

JCL allows restarting a job from a specific step by using the RESTART parameter.

Syntax:

//JOBNAME JOB (12345), RESTART=STEP2

Example:

//RESTARTJOB JOB (12345), 'RESTART DEMO', RESTART=STEP3

Considerations: - Ensure the datasets and system state align with the restart step.

Checkpoint/Restart Capabilities

Checkpointing allows saving the state of a long-running job so it can restart from a specific point after a failure.

Key Features: - Supported by utilities like DFSORT and COBOL programs. - Checkpoints are defined by the application or utility.

Example:

//SORTJOB JOB (12345), 'SORT WITH CHECKPOINT', CLASS=A
//STEP1 EXEC PGM=SORT, PARM='CKPT=YES'

Hands-On Exercise: Advanced Job Processing with JCL

Objective: Leverage advanced features like conditional execution, procedures, and restart capabilities in a multi-step JCL job.

Scenario: You are tasked with: 1. Sorting a dataset. 2. Copying the sorted dataset to a new file. 3. Restarting from the sort step if the job fails.

Steps:

  1. Write the Procedure: ` SORT FIELDS=(1,10,CH,A) /* `

  2. Create the JCL Job: ` DELETE OUTPUT.DATASET /* `

  3. Submit and Verify:

    • Submit the job and verify logs for return codes.

    • If the job fails, restart from the sort step using RESTART=SORTSTEP.

Expected Outcome: - The input dataset is sorted and copied successfully. - You can restart the job from the sort step if it fails.

Reflection Questions: 1. What is the benefit of using cataloged procedures versus in-stream procedures? 2. How can checkpointing enhance reliability in long-running jobs?

Module 5: Debugging and Optimization

PIL Logo 2023

Analyzing JCL Errors

Common Syntax Errors

JCL syntax errors often prevent jobs from running and are identified during the job submission process. Common errors include:

  1. Misnamed Statements: Incorrect statement labels, such as using JOBX instead of JOB.

  2. Invalid Parameters: Using unsupported parameters or incorrect formats. Example: ` `

  3. Unmatched Continuations: Missing or mismatched continuation lines.

  4. Dataset Not Found: Specifying datasets that do not exist or have incorrect disposition.

Tips to Avoid Errors: - Double-check statement names and parameters. - Use TYPRUN=SCAN to validate syntax without running the job. - Ensure dataset names are accurate and accessible.

Example Error Log:

IEC141I 013-C  DDNAME SYSUT1
  • Cause: Dataset specified in SYSUT1 does not exist.

  • Solution: Verify dataset name and allocation.

Analyzing JES Logs

The Job Entry Subsystem (JES) provides detailed logs that help diagnose issues during job execution.

Key Sections in JES Logs: 1. JOB Statement Section: Lists job name and class. 2. STEP Execution Details: Includes executed programs, return codes, and messages. 3. Error Messages: Highlight issues like ABENDs or missing datasets.

Steps to Analyze Logs: 1. Use SDSF or equivalent tools to view the job log. 2. Navigate to the error section, usually indicated by IEF or IEC messages. 3. Cross-reference return codes and messages with JCL documentation.

Common JES Messages: - S806: Program not found. - S222: Job canceled. - S0C4: Memory violation.

Performance Tuning for JCL Jobs

Efficient Dataset Allocation

Proper dataset allocation minimizes resource usage and improves job performance.

Tips for Efficient Allocation: 1. Use appropriate space parameters to avoid over-allocation. Example: SPACE=(CYL,(5,5)) instead of a large arbitrary value. 2. Specify unit types accurately. Example: UNIT=SYSDA ensures efficient access to DASD. 3. Manage temporary datasets with DISP=(NEW,DELETE) to avoid unnecessary cataloging.

Example:

//TEMP1 DD DSN=&&TEMP, DISP=(NEW,DELETE),
//       SPACE=(CYL,(1,1)), UNIT=SYSDA

Optimizing SORT Jobs

SORT operations are resource-intensive. Optimizing SORT jobs can significantly reduce runtime and resource usage.

Optimization Techniques: 1. Use SORTWK DD statements to allocate adequate workspace. Example: ` ` 2. Minimize unnecessary fields in the sort. Example: ` SORT FIELDS=(1,10,CH,A) INCLUDE COND=(11,2,CH,EQ,C’NY') /* ` 3. Avoid excessive passes by grouping fields efficiently.

Example:

//SORTJOB JOB ...
//STEP1 EXEC PGM=SORT
//SORTIN DD DSN=INPUT.DATASET, DISP=SHR
//SORTOUT DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(10,5)), UNIT=SYSDA
//SORTWK01 DD UNIT=SYSDA,SPACE=(CYL,(10,10))
//SYSIN DD *
  SORT FIELDS=(1,5,CH,A)
/*

Hands-On Exercise: Debugging and Tuning JCL Jobs

Objective: Diagnose and optimize a JCL script for improved performance and error resolution.

Scenario: A job is failing due to syntax errors and running slowly due to inefficient resource allocation. Your tasks are: 1. Identify and correct syntax errors. 2. Optimize dataset allocation and SORT operations.

Steps:

  1. Original JCL Script with Issues: ` SORT FIELDS=(1,100,CH,A) /* `

  2. Identify and Fix Errors:

    • Dataset Issue: Replace NONEXIST.DATASET with a valid dataset name.

    • Space Over-Allocation: Change SPACE=(TRK,(100,100)) to a reasonable value like CYL,(5,5).

    • Sort Efficiency: Limit sort fields to necessary columns, e.g., 1,10.

  3. Optimized JCL Script: ` SORT FIELDS=(1,10,CH,A) /* `

  4. Submit the Optimized Job:

    • Use SDSF to monitor logs and validate corrections.

    • Analyze runtime to confirm performance improvement.

Expected Outcome: - Errors are resolved, and the job executes successfully. - Resource usage and runtime are reduced.

Reflection Questions: 1. How can COND parameters help avoid unnecessary execution of failing steps? 2. What additional tuning strategies can be applied for jobs handling very large datasets?

Module 6: Integration with zOS and COBOL

PIL Logo 2023

JCL and COBOL Integration

JCL plays a vital role in running COBOL programs on z/OS by: - Defining input and output datasets. - Specifying program execution steps. - Passing runtime parameters to COBOL programs.

Example JCL to Execute a COBOL Program:

//RUNCOBOL JOB (12345), 'EXECUTE COBOL', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=MYCOBOL
//INPUT DD DSN=MY.INPUT.DATA, DISP=SHR
//OUTPUT DD DSN=MY.OUTPUT.DATA, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSOUT DD SYSOUT=*

Passing Parameters to COBOL Programs

Parameters can be passed to a COBOL program using the PARM keyword in the EXEC statement.

Example:

//STEP1 EXEC PGM=MYCOBOL, PARM='PARAMVAL'

COBOL Program Example:

IDENTIFICATION DIVISION.
PROGRAM-ID. MYCOBOL.
DATA DIVISION.
WORKING-STORAGE SECTION.
01 WS-PARM-VALUE PIC X(10).
PROCEDURE DIVISION.
    ACCEPT WS-PARM-VALUE FROM COMMAND-LINE.
    DISPLAY "PARAMETER PASSED: " WS-PARM-VALUE.
    STOP RUN.

Notes: - Ensure the length of the parameter matches the COBOL program’s expected input. - Use quotation marks for parameters containing special characters or spaces.

Handling COBOL File Systems with JCL

COBOL programs rely on JCL for defining input and output files. Use the DD statements to map COBOL file names to datasets.

COBOL Program Example:

SELECT INPUT-FILE ASSIGN TO DDNAME-IN.
SELECT OUTPUT-FILE ASSIGN TO DDNAME-OUT.

JCL Example:

//STEP1 EXEC PGM=MYCOBOL
//DDNAME-IN DD DSN=MY.INPUT.DATA, DISP=SHR
//DDNAME-OUT DD DSN=MY.OUTPUT.DATA, DISP=(NEW,CATLG),
//           SPACE=(CYL,(10,5)), UNIT=SYSDA

Scheduling Jobs in Production

Introduction to Job Scheduling Tools

Job scheduling tools automate batch job execution based on predefined schedules. Common tools include: - IBM Tivoli Workload Scheduler (TWS): Widely used for z/OS scheduling. - CA-7: Another popular scheduling system for mainframe jobs.

Features of Job Schedulers: 1. Define job dependencies and conditions. 2. Automate execution times. 3. Provide monitoring and error alerts.

Defining Schedules and Dependencies

Schedules and dependencies ensure jobs execute in the correct sequence and timing.

Example: 1. Job A runs daily at 6 AM. 2. Job B runs only after Job A completes successfully.

JCL Example for Scheduled Jobs:

//JOB-A JOB (12345), 'DAILY LOAD', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBGENER
...

//JOB-B JOB (12345), 'DEPENDENT JOB', CLASS=A, MSGCLASS=X
//DEPEND EXEC PGM=MYCOBOL
//INPUT DD DSN=OUTPUT.DATA, DISP=SHR
//SYSPRINT DD SYSOUT=*

Dependencies: - Defined in the scheduler configuration, not within JCL.

Hands-On Exercise: Integrating JCL with COBOL Programs

Objective: Create a JCL script to run a COBOL program that processes an input dataset, generates an output file, and logs the results.

Steps: Write a COBOL Program: cobol IDENTIFICATION DIVISION. PROGRAM-ID. PROCESSDATA. DATA DIVISION. FILE SECTION. FD INPUT-FILE. 01 IN-REC PIC X(100). FD OUTPUT-FILE. 01 OUT-REC PIC X(100). WORKING-STORAGE SECTION. 01 WS-PARM PIC X(10). PROCEDURE DIVISION. ACCEPT WS-PARM FROM COMMAND-LINE. OPEN INPUT INPUT-FILE OUTPUT OUTPUT-FILE. PERFORM UNTIL EOF READ INPUT-FILE INTO IN-REC AT END MOVE 'Y' TO EOF WRITE OUT-REC FROM IN-REC. END-PERFORM. CLOSE INPUT-FILE OUTPUT-FILE. DISPLAY "JOB COMPLETE WITH PARAM: " WS-PARM. STOP RUN.

Create the JCL Script: ` `

Submit the Job: - Submit the job using your mainframe environment. - Verify the output dataset and the system log.

Expected Outcome: - The COBOL program processes the input dataset and creates the output file. - The system log displays the parameter passed and the job completion message.

Reflection Questions: 1. How can you handle errors in the COBOL program to ensure the JCL script completes successfully? 2. What modifications would you make to run the job on a schedule with dependencies?

Module 7: JCL Case Studies

PIL Logo 2023

Real-World Scenarios and Solutions

Large-Scale Data Processing

Mainframes often handle massive volumes of data that require efficient batch processing. JCL is used to: 1. Sort, merge, and summarize datasets. 2. Automate data extraction, transformation, and loading (ETL) workflows. 3. Generate reports for business analysis.

Example Scenario: A financial institution processes transaction logs daily to calculate balances and generate reports.

Solution: 1. Use SORT to organize transaction records. 2. Implement COBOL programs for business logic. 3. Schedule jobs using dependencies to avoid data conflicts.

JCL Example:

//BALANCEJOB JOB (12345), 'DAILY PROCESSING', CLASS=A, MSGCLASS=X
//SORTSTEP EXEC PGM=SORT
//SORTIN DD DSN=RAW.TRANSACTIONS, DISP=SHR
//SORTOUT DD DSN=SORTED.TRANSACTIONS, DISP=(NEW,CATLG),
//        SPACE=(CYL,(10,10)), UNIT=SYSDA
//SYSIN DD *
  SORT FIELDS=(1,10,CH,A)
/*
//REPORTSTEP EXEC PGM=GENREPORT
//INPUT DD DSN=SORTED.TRANSACTIONS, DISP=SHR
//OUTPUT DD DSN=DAILY.REPORT, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*

Automation with JCL

Automation reduces manual intervention and ensures consistent batch job execution.

Example Scenario: A retail company runs inventory reconciliation overnight to update stock levels.

Solution: - Schedule jobs with tools like IBM Tivoli. - Use symbolic parameters for flexibility. - Handle failures with conditional execution.

JCL Example with Automation:

//INVENTORY JOB (12345), 'AUTOMATED RECONCILIATION', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=RECONCILE, PARM='DAILY'
//INPUT DD DSN=INVENTORY.RECORDS, DISP=SHR
//OUTPUT DD DSN=UPDATED.STOCK, DISP=(NEW,CATLG),
//        SPACE=(CYL,(10,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*

Common Challenges and Best Practices

Handling Failures in Batch Processing

Failures in batch processing can lead to incomplete jobs and inconsistent data states.

Challenges: 1. Missing or locked datasets. 2. ABENDs due to resource constraints. 3. Failed dependencies between steps.

Best Practices: - Use the RESTART parameter to recover from failures. - Implement conditional execution for cleanup steps. - Monitor return codes to identify and handle errors dynamically.

Example for Restart:

//RECOVERY JOB (12345), 'RESTART STEP', RESTART=STEP3

Auditing and Compliance

Mainframes often support industries with strict auditing and compliance requirements.

Key Considerations: 1. Track job execution logs using SYSLOG or SYSPRINT. 2. Ensure dataset access follows compliance policies. 3. Use JCL to create audit trails.

Example:

//AUDIT JOB (12345), 'DATA ACCESS LOG', CLASS=A, MSGCLASS=X
//LOGSTEP EXEC PGM=LOGGER
//INPUT DD DSN=TRANSACTION.LOGS, DISP=SHR
//OUTPUT DD DSN=AUDIT.REPORT, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*

Hands-On Exercise: Implementing a Case Study Solution

Objective: Develop a JCL script for a case study involving large-scale data processing and automation.

Scenario: A bank needs to process daily transaction logs, generate customer balance reports, and archive the logs. If the job fails, it should restart from the failed step.

Steps:

  1. Create the JCL Script: ` SORT FIELDS=(1,10,CH,A) /* `

  2. Test Failure Handling:

    • Submit the job and intentionally fail one step.

    • Use RESTART to rerun from the failed step.

  3. Schedule for Automation:

    • Configure the job to run daily using a scheduler tool.

    • Define dependencies with other jobs, such as data imports.

Expected Outcome: - Transaction logs are processed, reports are generated, and logs are archived. - Job recovery works seamlessly with the RESTART parameter.

Reflection Questions: 1. How would you modify the script to handle multiple report formats (e.g., CSV and PDF)? 2. What additional steps can ensure compliance with audit requirements?

Module 8: Appendices

PIL Logo 2023

Appendix A: JCL Syntax Reference

This appendix provides a concise reference for JCL syntax, including commonly used statements and parameters.

JOB Statement:

//JOBNAME JOB (ACCTINFO), 'DESCRIPTION', CLASS=A, MSGCLASS=X, NOTIFY=&SYSUID
  • CLASS: Defines job priority.

  • MSGCLASS: Specifies where output messages are sent.

  • NOTIFY: Sends job completion notifications.

EXEC Statement:

//STEPNAME EXEC PGM=PROGRAMNAME, PARM='parameters'
  • PGM: Specifies the program to execute.

  • PARM: Passes parameters to the program.

DD Statement:

//DDNAME DD DSN=DATASETNAME, DISP=(status,normal,abnormal), SPACE=(unit,(primary,secondary)), UNIT=SYSDA
  • DSN: Dataset name.

  • DISP: Disposition for dataset allocation.

  • SPACE: Allocates space for datasets.

Appendix B: Commonly Used JCL Utilities

1. IEBGENER: - Copies datasets or generates new ones.

//STEP EXEC PGM=IEBGENER
//SYSUT1 DD DSN=INPUT.DATASET, DISP=SHR
//SYSUT2 DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD DUMMY

2. SORT: - Sorts or merges datasets.

//STEP EXEC PGM=SORT
//SORTIN DD DSN=INPUT.DATASET, DISP=SHR
//SORTOUT DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(10,10)), UNIT=SYSDA
//SYSIN DD *
  SORT FIELDS=(1,10,CH,A)
/*

3. IDCAMS: - Manages VSAM datasets and catalogs.

//STEP EXEC PGM=IDCAMS
//SYSPRINT DD SYSOUT=*
//SYSIN DD *
  DELETE VSAM.DATASET
/*

4. IEBCOPY: - Copies and compresses PDS datasets.

//STEP EXEC PGM=IEBCOPY
//SYSUT1 DD DSN=OLD.PDS, DISP=SHR
//SYSUT2 DD DSN=NEW.PDS, DISP=(NEW,CATLG),
//        SPACE=(TRK,(10,5)), UNIT=SYSDA
//SYSIN DD *
  COPY OUTDD=SYSUT2,INDD=SYSUT1
/*

Appendix C: JCL Cheat Sheet

Quick Reference for Parameters: - DISP Values: - NEW: Create a new dataset. - SHR: Share an existing dataset. - MOD: Append to an existing dataset.

  • Space Allocation:

  • CYL: Allocate in cylinders.

  • TRK: Allocate in tracks.

Common Return Codes: - RC=0: Success. - RC=4: Warning. - RC=8: Error. - RC=16: Critical failure.

Tips for Debugging: - Use TYPRUN=SCAN to check syntax without executing the job. - Monitor SYSOUT and SYSPRINT for error messages.

Appendix D: Sample JCL Jobs for Practice

1. Basic Job to Copy a Dataset:

//COPYJOB JOB (12345), 'COPY DATASET', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=IEBGENER
//SYSUT1 DD DSN=INPUT.DATASET, DISP=SHR
//SYSUT2 DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSIN DD DUMMY

2. Sort a Dataset:

//SORTJOB JOB (12345), 'SORT DATA', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=SORT
//SORTIN DD DSN=INPUT.DATASET, DISP=SHR
//SORTOUT DD DSN=SORTED.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(10,10)), UNIT=SYSDA
//SYSOUT DD SYSOUT=*
//SYSIN DD *
  SORT FIELDS=(1,10,CH,A)
/*

3. Execute a COBOL Program:

//COBOLJOB JOB (12345), 'RUN COBOL', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=MYCOBOL, PARM='RUN2024'
//INPUT DD DSN=INPUT.DATASET, DISP=SHR
//OUTPUT DD DSN=OUTPUT.DATASET, DISP=(NEW,CATLG),
//        SPACE=(CYL,(5,5)), UNIT=SYSDA
//SYSPRINT DD SYSOUT=*
//SYSOUT DD SYSOUT=*

4. Job with Conditional Execution:

//CONDJOB JOB (12345), 'CONDITIONAL EXECUTION', CLASS=A, MSGCLASS=X
//STEP1 EXEC PGM=PROG1
//IFSTEP IF (STEP1.RC = 0) THEN
//STEP2 EXEC PGM=PROG2
//ENDIF