Get the FREE Ultimate OpenClaw Setup Guide →

file-processing

Scanned
npx machina-cli add skill aws-samples/sample-strands-agents-agentskills/file-processing --openclaw
Files (1)
SKILL.md
6.6 KB

File Processing Skill

Purpose

Process structured data files (CSV, JSON, text) with comprehensive capabilities for data cleaning, transformation, analysis, and export. This skill enables working with data files without requiring users to write code.

When to Use This Skill

Use this skill when you need to:

  • Load and parse CSV or JSON files
  • Clean and transform data
  • Perform statistical analysis
  • Filter, sort, or aggregate data
  • Merge or join datasets
  • Convert between formats (CSV ↔ JSON)
  • Generate summary reports

Capabilities

1. Data Loading

Supported formats:

  • CSV files: Any delimiter (comma, tab, semicolon, etc.)
  • JSON files: Single objects or arrays of objects
  • Text files: Custom delimited formats

2. Data Cleaning

Available operations:

  • Remove duplicate rows
  • Handle missing values (drop, fill, interpolate)
  • Normalize text (trim whitespace, standardize case)
  • Convert data types
  • Remove outliers
  • Validate data against rules

3. Data Transformation

Available operations:

  • Filter: Select rows based on conditions
  • Select: Choose specific columns
  • Sort: Order by one or more columns
  • Group: Aggregate data by categories
  • Pivot: Reshape data (wide ↔ long format)
  • Merge: Combine multiple datasets
  • Calculate: Add derived columns

4. Data Analysis

Available analyses:

  • Descriptive statistics (mean, median, std, etc.)
  • Frequency distributions
  • Correlation analysis
  • Trend detection
  • Missing data analysis
  • Data quality assessment

5. Export

Output formats:

  • CSV files
  • JSON files (objects or arrays)
  • Markdown tables
  • Summary reports

Instructions for Execution

When this skill is activated, follow these steps:

Step 1: Understand the Request

Ask clarifying questions if needed:

  • What file(s) need to be processed?
  • What specific analysis or transformation is required?
  • What output format is desired?
  • Are there any specific requirements or constraints?

Step 2: Load the Data

Use shell to load and process data:

# For CSV files
import csv

# Read from file path
with open('data.csv', 'r') as f:
    reader = csv.DictReader(f)
    data = list(reader)

# For JSON files
import json
with open('data.json', 'r') as f:
    data = json.load(f)

Alternatively, use the supporting scripts:

# Execute the helper script
("scripts/process.py")

Step 3: Perform Operations

Apply the requested transformations or analyses:

# Example: Filter and aggregate
filtered = [row for row in data if float(row['amount']) > 100]

# Example: Calculate statistics
from statistics import mean, median
amounts = [float(row['amount']) for row in data]
avg = mean(amounts)
med = median(amounts)

Step 4: Generate Output

Format results according to user needs:

# As markdown table
def to_markdown_table(data, columns=None):
    if not data:
        return "No data"

    if columns is None:
        columns = list(data[0].keys())

    # Header
    header = "| " + " | ".join(columns) + " |"
    separator = "| " + " | ".join(["---"] * len(columns)) + " |"

    # Rows
    rows = []
    for row in data:
        row_str = "| " + " | ".join(str(row.get(col, "")) for col in columns) + " |"
        rows.append(row_str)

    return "\n".join([header, separator] + rows)

print(to_markdown_table(filtered))

Common Use Cases

Use Case 1: CSV Analysis

# Example: Analyze sales data
import csv
from io import StringIO
from statistics import mean, sum as total

# Load CSV
reader = csv.DictReader(StringIO(file_content))
data = list(reader)

# Calculate metrics
total_sales = sum(float(row['amount']) for row in data)
avg_sales = mean(float(row['amount']) for row in data)
unique_customers = len(set(row['customer_id'] for row in data))

print(f"Total Sales: ${total_sales:,.2f}")
print(f"Average Sale: ${avg_sales:,.2f}")
print(f"Unique Customers: {unique_customers}")

Use Case 2: Data Filtering

# Example: Filter records by criteria
filtered = [
    row for row in data
    if row['status'] == 'active' and float(row['score']) >= 80
]

print(f"Found {len(filtered)} matching records")

Use Case 3: Data Grouping

# Example: Group and aggregate
from collections import defaultdict

grouped = defaultdict(list)
for row in data:
    grouped[row['category']].append(float(row['value']))

summary = {}
for category, values in grouped.items():
    summary[category] = {
        'count': len(values),
        'total': sum(values),
        'average': sum(values) / len(values)
    }

for category, stats in summary.items():
    print(f"{category}: {stats['count']} items, avg = {stats['average']:.2f}")

Use Case 4: Format Conversion

# Example: CSV to JSON
import csv
import json
from io import StringIO

reader = csv.DictReader(StringIO(file_content))
data = list(reader)

# Convert to JSON
json_output = json.dumps(data, indent=2)
print(json_output)

Supporting Scripts

  • scripts/process.py: Data processing utility functions

Data Processing Patterns

Pattern 1: ETL (Extract, Transform, Load)

# Extract
data = load_file(file_content)

# Transform
cleaned = remove_duplicates(data)
filtered = apply_filters(cleaned, conditions)
enriched = add_calculated_fields(filtered)

# Load (output)
output = format_as_markdown(enriched)
print(output)

Pattern 2: Aggregation Pipeline

# Pipeline: filter → group → aggregate → sort
result = (
    filter_data(data, conditions)
    | group_by(key='category')
    | aggregate(metrics=['sum', 'average'])
    | sort_by(column='total', descending=True)
)

Best Practices

  1. Validate Input: Check file format and structure before processing
  2. Handle Errors: Gracefully handle missing columns or invalid data
  3. Show Progress: For large files, indicate what's being processed
  4. Explain Results: Provide context for statistics and findings
  5. Suggest Next Steps: Recommend additional analyses if relevant

Limitations

  • File Size: Large files (>100MB) may be slow or cause memory issues
  • Complex Operations: Very complex transformations may require multiple steps
  • Performance: Pure Python processing; not optimized for big data

Tips for Users

  • Provide Examples: Show a sample of your data format
  • Be Specific: Clearly describe what transformation you need
  • Start Simple: Begin with basic operations, then add complexity
  • Check Output: Verify results make sense for your data

Source

git clone https://github.com/aws-samples/sample-strands-agents-agentskills/blob/main/skills/file-processing/SKILL.mdView on GitHub

Overview

The File Processing Skill lets you work with CSV, JSON, and text files without coding. It provides data loading, cleaning, transformation, analysis, and export capabilities to CSV, JSON, Markdown tables, or summary reports, enabling quick, code-free data workflows.

How This Skill Works

Activate the skill to load data via shell, apply cleaning and transformation operations, run analyses, and export results in your desired format. The workflow follows a data-processing pipeline: load -> clean -> transform -> analyze -> export, all without writing application code.

When to Use It

  • Load and parse CSV or JSON files
  • Clean and transform data (deduplicate, handle missing values, normalize text, convert types)
  • Perform descriptive statistics and trend analysis
  • Filter, sort, or aggregate data and group or pivot results
  • Merge datasets and convert between formats (CSV <-> JSON) or generate summary reports

Quick Start

  1. Step 1: Clarify which files to process, the transformations to apply, and the desired output format
  2. Step 2: Load the data using shell tools and inspect the columns, data types, and sample rows
  3. Step 3: Apply requested operations and export results as CSV, JSON, Markdown, or a summary report

Best Practices

  • Define an expected schema and data types before processing to minimize surprises later
  • Clean data first by removing duplicates and handling missing values appropriately
  • Normalize text and standardize column names to ensure reliable joins and comparisons
  • Validate results after each operation and keep an audit trail of changes
  • Export results in a consistent format and document the output structure for reproducibility

Example Use Cases

  • CSV Analysis: compute total and average sales from sales.csv and output a summary
  • JSON Customer Dedup: deduplicate customers in customers.json and standardize names
  • Data Merge: join sales.csv with customers.csv to create enriched records
  • CSV to JSON: convert products.csv to products.json and generate a Markdown summary table
  • Data Quality: run missing-value and outlier checks to generate a quality report

Frequently Asked Questions

Add this skill to your agents
Sponsor this space

Reach thousands of developers