Healthcare Automation Engineer

Automating Healthcare Operations End to End

I design and build the automation layer that healthcare organizations need — multi-system integrations, e-signature workflows, HIPAA-compliant dashboards, and cloud-native data pipelines. I eliminate paper, reduce manual handoffs, and turn 45-minute admin tasks into one-click processes.

profile.json
{
  "developer": "R.",
  "title": "Healthcare Automation Engineer",
  "focus": [
    "Healthcare Operations Automation",
    "Multi-System Integration",
    "Cloud-Native Architecture"
  ],
  "skills": {
    "automation": ["N8N", "Webhooks", "REST APIs", "OAuth2"],
    "serverless": ["AWS Lambda", "Event-Driven", "API Gateway"],
    "e_signature": ["E-Sign APIs", "Composite Envelopes"],
    "cloud": ["AWS DynamoDB", "Amplify", "Lambda", "IAM"],
    "telehealth": ["Virtual Care", "AI Pre-Eval", "E-Rx"],
    "frontend": ["SPA Dashboards", "HTML/CSS/JS"],
    "compliance": ["HIPAA", "PHI Protection", "Audit Trails"]
  },
  "languages": ["English", "Spanish"],
  "availability": "Remote — Worldwide"
}

Real-World Impact

6+ Production Dashboards

Operations, scheduling, referrals, routing, e-signatures, and configuration platforms serving live medical practices

15+ N8N Workflows in Production

Autonomous pipelines handling patient intake, document routing, status synchronization, and file delivery

100% Paperless Referral Process

Replaced multi-page paper forms and fax machines with one-click digital referrals and legally-binding e-signatures

What I Build

Workflow Orchestration

Multi-step N8N pipelines connecting 5+ services per workflow — webhooks, REST APIs, databases, e-signature platforms, and notification systems running autonomously 24/7.

Healthcare Platforms

HIPAA-compliant dashboards for medical operations — patient intake, referral management, provider scheduling, document routing, and multi-tenant access control.

E-Signature Integration

Full API integration with e-signature platforms — composite templates, embedded signing ceremonies, real-time status polling, and automated PDF delivery.

Cloud Data Architecture

Serverless backends on AWS — DynamoDB for high-throughput NoSQL storage, Lambda for event-driven logic, Amplify for CI/CD hosting, IAM for granular access control.

Lambda & Serverless

Event-driven AWS Lambda functions for automated data processing, API endpoints, scheduled tasks, and N8N-to-Lambda pipelines — zero server management.

Telehealth Platforms

End-to-end virtual care systems — AI-powered intake, secure video consultations, e-prescriptions, pharmacy fulfillment, and automated follow-up scheduling.

Selected Projects

All projects built for live healthcare operations under HIPAA/NDA — details are sanitized

Full-Stack Platform

Multi-Specialty Digital Referral System

Designed and built a complete digital referral platform that replaced a paper-based referral process for a multi-location medical practice. The system handles 12 medical specialties, generates composite e-signature envelopes with auto-populated patient data, and includes real-time signature status tracking with automated PDF delivery.

12 specialty-specific document templates auto-populated from a single patient form
Composite e-signature envelopes — physician signs once, all documents are legally bound
Background scheduler polls signature status every 2 minutes and updates records automatically
Multi-tenant provider isolation — each physician only accesses their own patient records
4 interconnected N8N workflows: creation, sync, status polling, and binary PDF delivery
N8NE-Signature APIAWS DynamoDB AWS AmplifyOAuth2Webhooks HTML/CSS/JS SPA
Operations Platform

Healthcare Operations Command Center

Built a centralized operations dashboard for clinic coordinators to manage daily workflows across multiple providers and locations. The platform consolidates patient intake, appointment scheduling, referral routing, and provider assignments into a single real-time interface.

Real-time patient tracking with dynamic status updates across the care pipeline
Provider scheduling grid with drag-and-drop appointment management
Automated intake form routing — multilingual support (English/Spanish)
Email configuration and notification system for appointment confirmations
N8NJotform APIAWS DynamoDB HTML/CSS/JS SPAResponsive Design
Automation Engine

Intelligent Referral Routing Engine

Developed an automated referral routing system that intelligently distributes incoming patient referrals to the correct specialty providers based on diagnosis codes, geographic proximity, and provider availability. Eliminates manual triage and reduces referral processing time from hours to seconds.

Rule-based routing engine with configurable specialty-to-provider mapping
Real-time dashboard showing referral pipeline status and bottlenecks
N8N workflow automation for intake → triage → routing → notification
N8NRule EngineREST APIs AWSHTML/CSS/JS
API Integration

E-Signature Workflow Platform

Architected a standalone e-signature solution that integrates with multiple signing platforms via their REST APIs. The system handles document preparation, envelope creation with dynamic field mapping, embedded signing ceremonies, real-time status callbacks, and secure signed document retrieval.

Multi-template composite envelopes with anchor-based field positioning
OAuth2 token management with automatic refresh flows
Embedded signing UX — signers never leave the application
Webhook-driven status updates and binary document download API
E-Signature APIsOAuth2 N8NREST/WebhooksPDF Processing AWS Lambda
End-to-End Platform

Telehealth & Virtual Care System

Built a complete telehealth platform from scratch — from patient intake form submission through AI-powered pre-evaluation, HIPAA-compliant payment processing, private secure video consultations with physicians, e-prescription generation, pharmacy fulfillment with medication payment, and fully automated follow-up and refill scheduling. Operations receives detailed revenue and error reporting.

Intake form auto-parses demographics and symptom data for AI analysis
AI pre-evaluation generates preliminary assessment and medication recommendations
HIPAA-compliant payment gateway for appointment booking and medication purchases
Secure private televisit platform for physician-patient video consultations
E-prescription created post-visit → pharmacy fulfillment → medication payment link
Automated follow-up scheduling, refill reminders, and payment notification emails
Ops dashboard with detailed revenue reporting and error alerting
N8NAI/ML IntegrationAWS Lambda HIPAA PaymentsTelevisit APIE-Prescriptions AWS DynamoDBEmail Automation

Engineering Approach

Sanitized code patterns from production healthcare systems

Workflow Orchestration Pattern

Production N8N workflows use composite template patterns to dynamically assemble multi-document e-signature envelopes based on user selections. Each workflow handles error recovery, token refresh, and status synchronization autonomously.

  • Dynamic template selection based on specialty mapping
  • Anchor-based field injection into PDF templates
  • Automatic retry logic with exponential backoff
  • Scheduled polling with conditional database updates
workflow-pattern.js
// Pattern: Dynamic Template Assembly
const templateRegistry = loadTemplates(config);
const selectedServices = parseUserSelections(input);

const compositePayload = {
  documents: [],
  recipients: { signers: [] }
};

for (const service of selectedServices) {
  const template = templateRegistry[service.type];
  if (!template) continue;

  compositePayload.documents.push({
    templateId: template.id,
    fields: mapPatientData(service, demographics),
    anchorTabs: buildFieldAnchors(template.schema)
  });
}

// Single signature ceremony for all documents
compositePayload.recipients.signers.push({
  name: provider.name,
  authMethod: "embedded",
  tabs: mergeTabs(compositePayload.documents)
});

return await createEnvelope(compositePayload);

Cloud Data Pipeline

Serverless data pipelines handle real-time record management with strict multi-tenant isolation. Every database operation uses expression-based queries with reserved keyword handling and atomic status transitions.

  • Composite primary keys for efficient multi-tenant queries
  • Atomic status transitions prevent race conditions
  • FilterExpression scans with dynamic attribute binding
  • Serverless event triggers for downstream automation
data-pipeline.js
// Pattern: Status Synchronization Pipeline
async function syncDocumentStatus(records) {
  for (const record of records) {
    const externalStatus = await checkSigningPlatform(
      record.envelopeRef
    );

    if (externalStatus === "completed") {
      await updateRecord({
        table: config.TABLE_NAME,
        key: {
          recordId: record.id,
          entityName: record.entity
        },
        update: "SET #s = :newStatus",
        names: { "#s": "status" },
        values: { ":newStatus": "completed" }
      });

      await triggerDownstream(record, "ready");
    }
  }
}

Tech Stack

Automation

N8N Webhooks REST APIs OAuth2 Cron Schedulers

Cloud (AWS)

DynamoDB Lambda Amplify IAM Secrets Manager

E-Signatures

DocuSign API Adobe Sign Composite Templates Embedded Signing

Frontend

HTML/CSS/JS Single Page Apps Responsive Design Fetch API

CMS & E-Commerce

WordPress Shopify Liquid Elementor Pro WPBakery

Compliance & Security

HIPAA PHI Protection Audit Trails Data Encryption Access Control

Additional Expertise

E-Commerce & CMS Development

High-converting Shopify stores and WordPress sites with custom architectures, advanced page builders, and optimized conversion funnels.

  • ACF & Custom Template Architecture
  • Shopify Liquid & JSON Section Schemas
  • Custom JavaScript extending page builders
  • GTM/GA4 event tracking & DataLayer setup
liquid-dynamic-render.liquid
{% comment %}
  Dynamic Section Rendering from Metafields
{% endcomment %}
{% assign config = product.metafields.custom.config.value %}

{% if config.isActive %}

{{ config.headline }}

{% for item in config.items %}

{{ item.title }}

{{ item.description }}

{% endfor %} {% endif %}

Performance & SEO Engineering

I audit and optimize for Core Web Vitals, implement structured data, and configure analytics pipelines that capture granular user behavior.

100 Performance
100 Best Practices
100 SEO
performance-optimization.js
/**
 * Defer non-critical loads for optimal LCP/TBT
 */
export const optimizeLoadQueue = () => {
  if ('requestIdleCallback' in window) {
    requestIdleCallback(() => {
      injectAnalytics();
      preloadHeavyAssets();
    });
  } else {
    setTimeout(() => { injectAnalytics(); }, 2000);
  }
};

const injectAnalytics = () => {
  const dataLayer = window.dataLayer || [];
  dataLayer.push({
    'event': 'core_metrics_ready',
    'status': 'optimized'
  });
};

About Live Demos & Client Names

All projects in this portfolio were built for live healthcare organizations under strict HIPAA compliance and NDA agreements. I cannot share production URLs, client names, or any interface that could expose Protected Health Information (PHI).

I'm happy to provide a private screen-recorded walkthrough during an interview to demonstrate the depth and complexity of these systems.

Let's Build Something Together

Available for remote full-time or contract roles in healthcare automation, workflow engineering, cloud architecture, and full-stack integration.

Preview

Interactive Demo — Sanitized Data