Achieve a seamless transition to a modern, cloud-native infrastructure with Cadmus’ repeatable approach for rapidly and accurately converting DataStage workflows into AWS cloud-native equivalents.
Executive summary
One of the major challenges organizations face in their transformation journey and adoption of cloud technologies is migrating and moving away from legacy systems built on mainframes or IBM Informix databases. In addition to managing large volumes of data and complex data structures, these migrations involve 1000s of DataStage-based ETL jobs that handle critical functions such as data integration, processing, and management. These migration processes are particularly challenging because these ETLs implement complex workflows with intricate dependencies, custom transformations, and orchestration to handle critical functions such as data integration, processing, and management.
Cadmus, with extensive experience in transitioning data infrastructures from mainframes to on-prem and cloud infrastructure for federal and state agencies, offers a disruptive but proven approach to automating the creation of AWS-native pipelines from various legacy ETLs, including DataStage.
This article outlines Cadmus’ repeatable approach for rapidly and accurately converting DataStage workflows into AWS cloud-native equivalents. By automating key steps, Cadmus reduces migration time, safeguards data integrity, lowers infrastructure costs, and enables organizations to fully leverage AWS’s advanced tools for enhanced data transformation and deeper insights.
Cadmus’ innovation helps organizations confidently navigate this complex migration and achieve a seamless transition to a modern, cloud-native infrastructure.
Challenges in migrating from IBM DataStage
Migrating from IBM DataStage to AWS is not without its challenges. Some of the most critical technical hurdles include:
- Complex Workflows. Many DataStage workflows have complex dependencies and custom logic that need to be recreated for the AWS environment.
- Data Transformation Logic. Transforming DataStage’s proprietary transformation logic into PySpark or other AWS-native code is complicated and error-prone.
- Minimizing Downtime. Migration of production workloads must minimize downtime, especially for pipelines processing real-time or near-real-time data.
- Orchestration. DataStage provides built-in workflow orchestration, whereas, on AWS, orchestration requires custom integration with Step Functions, Glue Workflows, or Lambda triggers.
Migration approach

Step 1: assess & plan
1.1 Inventory DataStage Jobs. Cadmus’ first step is performing an inventory of your existing DataStage environment. This includes creating artifacts describing jobs, dependencies, and configurations –transformation logic, job schedules, input and output formats, database connections, and so on.
1.2 AWS Service Mapping. After the inventory is complete, the following step is mapping each of the DataStage jobs and the various sub-components of each job to fit with the available AWS service. For example:
- DataStage jobs for data transformation can typically be mapped to AWS Glue.
- Complex workflows or parallel jobs may map to AWS Step Functions.
- If you want to set up extraction work for those data jobs, you can spin up AWS Glue Crawlers –and save the data retrieved to databases on Amazon RDS or Amazon Redshift for querying.
Step 2: automate job conversion
2.1 Extract DataStage metadata. DataStage jobs are typically stored in XML format, and job definitions (stages, connectors, transformations) can be extracted programmatically. We use a mix of Python and XML parsing libraries to retrieve job metadata, which tells us the overall structure of the job (e.g., which SQL is used in which stage, in which order) –and, thus, where we should begin the conversion.
2.2 Lexer-Based code generation for transformers to AWS glue PySpark. A common challenge is converting the transformation logic. DataStage “Transformers” contains custom data manipulation logic, which needs to be converted into AWS Glue PySpark scripts. Glue uses Apache Spark under the hood, which is well-suited to handle the kinds of complex transformations typically seen in DataStage.
Cadmus automates this translation using a Lexer-based code generation that parses DataStage transformation logic and generates the equivalent PySpark code in AWS Glue based on a JSON-based template. The Lexer works in multiple stages:
Lexical analysis. DataStage XML is tokenized into its basic components, such as filters, joins, transformations, data sources, and destinations.
Syntax parsing. Tokens are analyzed and mapped to corresponding PySpark equivalents.
Code generation. Lexer then dynamically generates the appropriate PySpark code for AWS Glue.
Advanced transformations that involve filters, joins, and aggregations can now be automatically translated into AWS Glue code. This greatly reduces the number of manual errors that may occur during these translations, which were handled manually in the past, and considerably reduces the time it takes for the conversion to be completed. For example, if a DataStage Transformer performs a filter followed by a join, a corresponding PySpark job could look like this:


In this example:
- Lexer initialization. The Lexer class is initialized with the DataStage XML job definition.
- Parsing & code generation. The generate_pyspark() method automatically parses the XML logic, such as filters and joins, and dynamically generates the PySpark code required for AWS Glue.
- The Lexer outputs a fully functional PySpark job that replicates the same filtering and joining logic from DataStage without manual intervention.
This automation through Lexer eliminates manual coding, ensuring accurate and fast migration from DataStage to AWS Glue while maintaining data transformation integrity.
2.3 Convert DataStage sequencers to AWS step functions. DataStage sequencers control the execution of ETL jobs, including conditional logic, looping, and parallelism. AWS Step Functions can be used to replicate these sequencing tasks. Cadmus’ approach involves automating the conversion of DataStage sequencers to AWS Step Functions using AWS SDK (Boto3) provides a streamlined and scalable approach.
- Extract metadata. Export DataStage Sequencer metadata in XML format (.dsx or .isx). This contains the sequence logic, job dependencies, error handling, and parallel execution details.
![import xml.etree.ElementTree as ET 
def extract_metadata(file_path):
"""Extract metadata from DataStage export file.""" tree=ET.parse(file_path)
root = tree.getroot()
jobs = []
for job in root.findall(".//Job"):
	jobs.append({
		'name': job.find('Name').text, 
		'type': job.find('Type').text,
		'next_job': job.find('NextJob').text
	})
	return jobs
# Example extraction from a water and climate data sequence file jobs = extract_metadata('datastage_climate_water_sequence.dsx')](https://cadmusgroup.com/wp-content/uploads/2025/02/Automating-the-Conversion_4.png)
Parse & analyze metadata. Use a custom Python script to parse the exported XML and extract job details, transitions, and conditions. This includes identifying individual jobs, types, and their respective sequence flows.
![def parse_metadata(jobs):
	"""Parse and analyze metadata for job sequencing."" 
	parsed_jobs = []
	for job in jobs: 
		parsed_jobs.append({ 
			'name': job['name'], 
			'type': job['type'],
			'next_job': job['next_job']
		})
	return parsed_jobs
# Parsed metadata from climate and water jobs
parsed_jobs = parse_metadata(jobs)](https://cadmusgroup.com/wp-content/uploads/2025/02/Automating-the-Conversion_5.png)
Map DataStage jobs to AWS services. Define a mapping strategy to associate DataStage jobs with appropriate AWS services such as Lambda, Glue, or Batch. For example, ETL jobs may translate to AWS Glue, while simple scripts can be handled by Lambda.
![def map_jobs_to_aws (parsed_jobs):
	"""Map DataStage jobs to AWS services for Step Functions.""" 			state_machine = {
		"StartAt": parsed_jobs[0]['name'],
		"States":{}
	}
	for job in parsed_jobs:
		state_machine['States'][job['name']] = {
			"Type": "Task",
			"Resource": f"arn:aws: lambda:us-east-
	1:123456789012:function: {job['name']}",
			"Next":job['next_job'] if job['next_job'] else "End"
		}
		return state_machine
	# Map jobs from DataStage to AWS for climate and water data 			processing
	state_machine = map_jobs_to_aws(parsed_jobs)](https://cadmusgroup.com/wp-content/uploads/2025/02/Automating-the-Conversion_10.png)
Generate step functions JSON. Dynamically generate a state machine definition in JSON format, replicating the sequencer logic using Step Functions states like Task, Choice, Parallel, and Catch.

Output:

Deploy step functions programmatically. Utilize Boto3 to create and deploy the generated Step Function state machine in AWS, including role-based permissions and task resource definitions.

2.3 Convert DataStage data connectors to AWS glue crawlers or Amazon RDS. DataStage has connectors that work with databases and file systems. In AWS, Glue Crawlers can be used to make schema discovery, while RDS, or Redshift for database integration and management. Cadmus uses automation to convert DataStage data connectors to AWS Glue Crawlers, RDS, or Redshift by parsing the DataStage metadata and automatically generating the equivalent AWS infrastructure and connection configurations.
- Extract DataStage connector information. Use XML parsing to retrieve metadata from DataStage connectors (e.g., database type, connection details, tables, file systems).
- Auto-generate glue crawlers. Based on the extracted metadata, a Python script can dynamically create Glue Crawlers to discover and catalog the schema from databases or file systems, automating the connection setup.
![import boto3
# Initialize the Glue client
glue_client = boto3.client('glue')
#Auto-generate Glue Crawler based on DataStage connector info for
climate data
response = glue_client.create_crawler(
	Name='ClimateDataCrawler',
	Role='arn:aws:iam::123456789012: role/GlueCrawlerRole',
	DatabaseName='climate_db',
	Targets={
		'S3Targets': [
			{
				'Path': 's3://climate-data/temperature/',
			}
		]
	},
	TablePrefix='climate_'
)
print (f" Glue Crawler created: {response}")](https://cadmusgroup.com/wp-content/uploads/2025/02/Automating-the-Conversion_10-1.png)
- Automate RDS/Redshift connection setup. If the DataStage connector points to a relational database (e.g., Oracle, SQL Server), you can map the connection details to Amazon RDS or Redshift using Boto3 to automate database creation and connection management.
Our approach significantly reduces manual effort, ensuring accurate and consistent replication of data pipelines while also offering scalability and flexibility with AWS services.
Step 3: testing & validation
3.1 Unit & integration testing. Testing is critical to ensure that migrated pipelines behave identically to their DataStage equivalents. Automated unit tests should be created for each AWS Glue job and Step Function workflow to verify the correctness of the data transformations and job execution flow. Integration testing can ensure that the entire pipeline—extraction, transformation, and loading—works seamlessly in AWS.
3.2 Data validation. After ETL migration is complete, you can schedule batch jobs to auto-validate/compare your DataStage jobs in your source/legacy environment with your new pipelines in AWS. You can automatically profile your data using AWS Glue’s feature in DataBrew, which is also an awesome option for consistency checking, etc.
Step 4: deployment & monitoring
4.1 Production deployment. After rigorous testing, the AWS-native pipelines can be deployed to production. AWS Glue Workflows or Lambda triggers can be used to automate job scheduling and orchestration. The deployment process should be automated using AWS CloudFormation or Terraform to manage infrastructure as code..
4.2 Monitoring & optimization. AWS CloudWatch can monitor job execution, and AWS CloudWatch Alarms can trigger notifications (eg, Amazon SNS topic or Amazon Simple Email Service) in the case of job failure. AWS Glue job metrics can be ingested for visibility into how the pipeline is running.
Key considerations for complex migrations
Moving from IBM DataStage to AWS comes with many challenges when dealing with large and complex datasets, such as those used for water quality monitoring, climate data analysis, or other mission-critical processes. Such a complex migration relies heavily on a deep understanding of both the source environment and AWS-native services. The following are critical success factors for such a migration to minimize business disruption and maintain data integrity and performance while migrating to AWS.
- Data integrity. Ensure data accuracy during migration using AWS Glue DataBrew for automated validation, profiling, and consistency checks across datasets like climate or water quality measurements.
- Large-scale data transfers. When handling large datasets (e.g., water and climate records), use AWS Snowball or DataSync for secure, efficient migration, reducing the risk of data loss or corruption during transfer.
- Minimizing downtime. Use AWS DMS to replicate data continuously, minimizing downtime and ensuring legacy systems remain operational until AWS-native pipelines are fully functional.
- Security & compliance. Protect sensitive environmental data with AWS IAM for fine-grained access control and KMS for encryption of data in transit and at rest. Use AWS CloudTrail for logging API activity to meet regulatory compliance.
- Performance optimization. Use AWS CloudWatch to monitor Glue job execution and performance. Optimize Spark configurations in Glue for large-scale transformations like climate data analytics or water quality assessments.
- Complex workflow orchestration. Replicate the complex sequencing of DataStage jobs with AWS Step Functions. Use parallel states, choice states, and custom error handling to maintain the integrity of workflows.
- Custom data transformation logic. Automate the conversion of custom transformation logic from DataStage to AWS Glue PySpark using Lexer-based code generation. Validate with automated testing to ensure accuracy and functionality.
- Real-time data processing. For real-time data ingestion and processing (e.g., live water monitoring or climate sensor data), leverage AWS Kinesis with Lambda for real-time data streaming and processing.
- Disaster recovery and backup. Set up AWS Backup for automatic, scheduled backups of critical data. Use Cross-Region Replication to ensure data resiliency and disaster recovery readiness for mission-critical data.
Conclusion
Migrating IBM DataStage ETL jobs to AWS Native Pipelines offers organizations substantial scalability, cost efficiency, and innovation benefits. Our approach, by leveraging automation—through automated parsing, script-based conversion, and AWS-native orchestration, reimagines this transformation, simplifies the migration process, reduces errors, and accelerates the transition to a modern cloud-based data processing framework.
Cadmus is your trusted partner, bringing the experience, expertise, and the “magic of innovation” to ensure a smooth, secure, and future-proof migration to the cloud, empowering your organization to thrive in today’s rapidly evolving data landscape.
Contact us today to explore the possibilities.
 
								 
															 
															 
															 
															 
															 
															 
															 
															 
															 
															 
															 
															