Back to blog
Unified APIGuides & Tutorials

Complete Guide to SAP S/4HANA APIs: REST and SOAP Integration Tutorial

Master SAP S/4HANA integration with this complete guide to REST and SOAP APIs. Learn authentication methods, code examples, rate limiting strategies, and when to use OData vs SOAP for enterprise system connectivity.

Saurabh RaiSaurabh Rai

Saurabh Rai

8 min read
Complete Guide to SAP S/4HANA APIs: REST and SOAP Integration Tutorial

For many companies, SAP S/4HANA is the engine running their entire business. Yet developers often struggle to integrate with this complex system. Whether you're building a custom application, connecting cloud services, or modernizing legacy integrations, you have to get a handle on its APIs.

Screenshot 2025-09-20 at 15.30.28@2x

The reality is that SAP S/4HANA offers both REST and SOAP APIs, not just one or the other. This guide breaks down how to use both protocols, handle authentication properly, and avoid rate limit headaches.

What Is SAP S/4HANA? The Enterprise Digital Core

So, what is SAP S/4HANA? It's the fourth version of SAP's Business Suite, built specifically for the SAP HANA in-memory database. Unlike its predecessors that bolted on features over decades, S/4HANA was redesigned to take full advantage of in-memory computing.

This allows the system to process transactions in real-time, something traditional ERPs just can't do. Every transaction happens in memory, eliminating the batch processing delays that plague older systems. This architecture enables live operational reporting, instant analytics, and immediate business insights without separate data warehouses.

S/4HANA simplifies the data model dramatically. Where SAP ECC had redundant tables and complex aggregates, S/4HANA uses a single source of truth. This simplification isn't just technical housekeeping. It directly impacts API performance and complexity.

The platform supports three deployment models: on-premises for complete control, cloud for managed services, and hybrid for organizations straddling both worlds. Each deployment option affects which APIs are available and how you authenticate to them.

S/4HANA also has machine learning and AI features built into its core processes, from cash application to demand forecasting. These intelligent features expose their own APIs, opening possibilities for automated workflows and predictive applications.

SAP S/4HANA API Ecosystem: Integration Made Modern

S/4HANA organizes its APIs into a few key categories based on what you're trying to do:

Application-to-Application (A2A) APIs handle system-to-system communication within your landscape. These synchronous APIs move master data, trigger processes, and maintain consistency across applications.

Business-to-Business (B2B) APIs facilitate partner integration. They support EDI scenarios, supply chain collaboration, and external marketplace connections using industry-standard formats.

Application-to-External (A2X) APIs bridge S/4HANA with external services. These APIs enable cloud service integration, mobile app connectivity, and third-party analytics platforms.

Custom Extension APIs let you expose your custom business logic. When standard APIs don't meet your needs, you can create OData services wrapping custom ABAP code.

Pre-built Business Process APIs deliver complete business scenarios out-of-the-box. Instead of orchestrating multiple calls, these APIs handle entire processes like order-to-cash or procure-to-pay.

Screenshot 2025-09-20 at 15.32.18@2x

The shift to API-first architecture means S/4HANA treats APIs as products, not afterthoughts. Every API gets proper documentation, versioning, and lifecycle management through the SAP API Business Hub.

REST vs SOAP: Both Protocols Supported in SAP S/4HANA

Let's clear up a massive misconception: SAP S/4HANA supports BOTH REST and SOAP APIs. You're not forced to choose one over the other. The real question is when to use each.

REST APIs (OData Implementation)

SAP implements REST through OData (Open Data Protocol), specifically OData V2 for most services and V4 for newer ones. OData provides a standardized way to create and consume RESTful APIs with consistent URL conventions and query options.

REST APIs excel for:

  • New greenfield integrations
  • Mobile and web applications
  • Real-time data synchronization
  • Modern microservices architectures
  • Scenarios requiring lightweight payloads

The advantages are clear: JSON payloads reduce bandwidth, stateless operations simplify scaling, and standard HTTP verbs map cleanly to CRUD operations.

SOAP APIs

SOAP remains crucial for enterprise integration scenarios. Many organizations have substantial investments in SOAP-based middleware, and S/4HANA respects that reality.

SOAP APIs shine for:

  • Legacy system integration
  • Complex transactional workflows
  • Enterprise service bus connections
  • Scenarios requiring WS-* standards (WS-Security, WS-ReliableMessaging)
  • Existing SOAP infrastructure

SOAP's advantages include robust error handling, built-in retry mechanisms, and comprehensive WSDL contracts that enable strong typing and code generation.

Authentication and Security: Securing Your SAP S/4HANA API Access

You can't afford to be careless with enterprise data. S/4HANA provides multiple authentication mechanisms, each suited to different scenarios.

OAuth 2.0

Modern cloud deployments favor OAuth 2.0 for its flexibility and security. S/4HANA Cloud supports several OAuth flows:

{
  "grant_type": "client_credentials",
  "client_id": "your_client_id",
  "client_secret": "your_client_secret",
  "scope": "API_SALES_ORDER_SRV_0001"
}

OAuth 2.0 works best for server-to-server integration, mobile apps, and scenarios requiring fine-grained authorization. The token-based approach eliminates password transmission and enables revocation without credential changes.

Basic Authentication

Development and testing environments often use Basic Authentication for simplicity. While not recommended for production, it's straightforward to implement:

const headers = {
  'Authorization': 'Basic ' + btoa(username + ':' + password),
  'Content-Type': 'application/json',
  'x-csrf-token': 'fetch'
};

SAML 2.0

Enterprise SSO scenarios leverage SAML 2.0 assertions. This approach enables principal propagation, where the original user's identity flows from the initial application all the way through to S/4HANA.

Client Certificates (mTLS)

High-security environments implement mutual TLS with client certificates. This eliminates passwords entirely while providing strong bi-directional authentication.

Communication arrangements in S/4HANA Cloud tie these authentication methods to specific integration scenarios. You'll create communication users, systems, and arrangements that define exactly how external systems connect.

Code Examples: REST and SOAP in Action

REST API Example: Creating a Sales Order

Here's a real-world OData request to create a sales order in S/4HANA:

// First, fetch the CSRF token for session security
const tokenResponse = await fetch('https://my-s4hana.com/sap/opu/odata/sap/API_SALES_ORDER_SRV/A_SalesOrder', {
  method: 'GET',
  headers: {
    'Authorization': 'Basic ' + btoa('user:password'),
    'x-csrf-token': 'fetch'
  }
});

const csrfToken = tokenResponse.headers.get('x-csrf-token');

// Create sales order with header and line items
const salesOrder = {
  "SalesOrderType": "OR",
  "SalesOrganization": "1000",
  "DistributionChannel": "10",
  "Division": "00",
  "SoldToParty": "10100001",
  "PurchaseOrderByCustomer": "PO123456",
  "to_Item": [
    {
      "Material": "TG11",
      "RequestedQuantity": "10",
      "RequestedQuantityUnit": "PC"
    }
  ]
};

const response = await fetch('https://my-s4hana.com/sap/opu/odata/sap/API_SALES_ORDER_SRV/A_SalesOrder', {
  method: 'POST',
  headers: {
    'Authorization': 'Basic ' + btoa('user:password'),
    'Content-Type': 'application/json',
    'x-csrf-token': csrfToken
  },
  body: JSON.stringify(salesOrder)
});

if (response.ok) {
  const result = await response.json();
  console.log('Sales order created:', result.d.SalesOrder);
}

SOAP API Example: Business Partner Creation

SOAP requests require a proper envelope structure with WS-Addressing headers:

<soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"
               xmlns:glob="http://sap.com/xi/SAPGlobal20/Global"
               xmlns:wsa="http://www.w3.org/2005/08/addressing">
  <soap:Header>
    <wsa:MessageID>urn:uuid:550e8400-e29b-41d4-a716-446655440000</wsa:MessageID>
    <wsa:Action>http://sap.com/xi/A1S/Global/ManageBusinessPartnerIn/MaintainBundleRequest</wsa:Action>
  </soap:Header>
  <soap:Body>
    <glob:BusinessPartnerBundleMaintainRequest>
      <MessageHeader>
        <ID>MSG_20250915_001</ID>
        <CreationDateTime>2025-09-15T10:00:00Z</CreationDateTime>
      </MessageHeader>
      <BusinessPartner>
        <CategoryCode>2</CategoryCode>
        <FirstName>John</FirstName>
        <LastName>Doe</LastName>
        <EmailAddress>john.doe@example.com</EmailAddress>
      </BusinessPartner>
    </glob:BusinessPartnerBundleMaintainRequest>
  </soap:Body>
</soap:Envelope>

Batch Operations Example

OData supports batch requests for multiple operations in a single call:

POST /sap/opu/odata/sap/API_BUSINESS_PARTNER/$batch HTTP/1.1
Content-Type: multipart/mixed; boundary=batch_boundary

--batch_boundary
Content-Type: application/http
Content-Transfer-Encoding: binary

GET A_BusinessPartner('10100001') HTTP/1.1

--batch_boundary
Content-Type: multipart/mixed; boundary=changeset_boundary

--changeset_boundary
Content-Type: application/http
Content-Transfer-Encoding: binary

POST A_BusinessPartnerAddress HTTP/1.1
Content-Type: application/json

{"BusinessPartner":"10100001","PostalCode":"10001","City":"New York","Country":"US"}

--changeset_boundary--
--batch_boundary--

Rate Limits and Throttling

S/4HANA doesn't enforce rate limits at the API level directly. Instead, rate limiting happens through SAP API Management or at the infrastructure layer.

For S/4HANA Cloud, typical limits include:

  • Default throughput: 100 requests per second per API
  • Burst capacity: 200 requests per second for short periods
  • Daily quotas: Vary by subscription tier

When you hit limits, you'll receive HTTP 429 responses with Retry-After headers:

// Handle rate limiting with exponential backoff
async function callWithRetry(url, options, maxRetries = 3) {
  for (let i = 0; i < maxRetries; i++) {
    const response = await fetch(url, options);

    if (response.status === 429) {
      const retryAfter = response.headers.get('Retry-After') || Math.pow(2, i);
      console.warn(`Rate limited. Retrying after ${retryAfter} seconds...`);
      await new Promise(resolve => setTimeout(resolve, retryAfter * 1000));
      continue;
    }

    return response;
  }
  throw new Error('Max retries exceeded for rate-limited request');
}

For on-premise deployments, configure rate limiting through SAP API Management policies or web dispatcher rules. Consider implementing client-side throttling to avoid overwhelming the system during bulk operations.

Official Resources and Documentation Hub

The SAP API Business Hub (https://api.sap.com) is your single source of truth. This isn't just documentation. It's an interactive environment where you can test APIs against sandbox systems.

Essential Resources:

  • SAP API Business Hub: https://api.sap.com - Central hub for all SAP APIs with testing capabilities
  • S/4HANA REST APIs: Browse REST services for both cloud and on-premise at api.sap.com
  • S/4HANA SOAP APIs: Access SOAP service catalog with WSDL downloads
  • SAP Developer Center: https://developers.sap.com - Tutorials, guides, and community support
  • OData Services: Find OData V2/V4 service collections for your deployment type

Each API in the Business Hub includes try-it-now functionality, code generation, and environment-specific endpoints. Don't waste time guessing. Test against real sandbox data before touching production.

Conclusion

The key to successful S/4HANA integration isn't about picking the "right" protocol. It's about understanding when to use each tool. REST APIs offer simplicity and modern tooling. SOAP provides enterprise-grade reliability and comprehensive contracts. Use both strategically.

Your next steps:

  1. Visit the SAP API Business Hub and explore relevant APIs
  2. Set up a sandbox environment for testing
  3. Start with a simple OData GET request to validate connectivity
  4. Build incrementally, adding authentication and complex operations
  5. Join the SAP Developer Community for ongoing support

Remember: S/4HANA APIs are powerful but unforgiving. The business runs on this platform, so test thoroughly, handle errors gracefully, and respect its limits.

Ready to get started?

Scale your integration strategy and deliver the integrations your customers need in record time.

Ready to get started?
Talk to an expert

Trusted by fast-moving product & engineering teams

JobNimbus
Blue Zinc
Drata
Octa
Nmbrs
Apideck Blog

Insights, guides, and updates from Apideck

Discover company news, API insights, and expert blog posts. Explore practical integration guides and tech articles to make the most of Apideck's platform.

What is Open Accounting
Unified APIIndustry insightsEcommerce

What is Open Accounting

Open Accounting enables businesses to share real-time financial data from accounting systems like QuickBooks, Xero, and NetSuite with lenders and fintech platforms through APIs.

Saurabh Rai

Saurabh Rai

9 min read
Apideck Joins the OpenAPI Initiative
Unified APIGuides & TutorialsAccounting

Apideck Joins the OpenAPI Initiative

Apideck is now a proud member of the OpenAPI Initiative (OAI), the industry consortium driving the future of API standards under The Linux Foundation.

GJ

GJ

9 min read
Top Benefits of Unified APIs
Unified APIIndustry insights

Top Benefits of Unified APIs

Discover how Unified APIs are transforming the way SaaS companies build and scale integrations. This article breaks down the hidden costs of traditional integrations, shows how Unified APIs cut development time by up to 80%, and explains how they unlock scalability, security, and innovation. Learn how to free your engineering team from endless maintenance and accelerate product growth.

Kateryna Poryvay

Kateryna Poryvay

11 min read