Home Learning Paths ECU Lab Assessments Interview Preparation Arena Pricing Log In Sign Up

Domain-Based Topology (Legacy)

Domain-Based Vehicle Network Architecture
  OBD Connector
       │ (diagnostic access via Gateway)
       ▼
  ┌─────────────────────────────────────────────────────────────┐
  │  Central Gateway ECU                                         │
  │  (routes signals between all domain buses)                  │
  └────┬──────────┬──────────┬──────────┬───────────────────────┘
       │          │          │          │
  Powertrain   Chassis    Body CAN   Infotainment
  CAN 500kbps  CAN 500kbps 125kbps   MOST/CAN/Eth
       │          │          │          │
  ECU_Eng     ECU_ABS     ECU_BCM   Head Unit
  ECU_Trans   ECU_ESC     ECU_Door  Amp
  ECU_TCU     ECU_EPS     ECU_Seat  Camera
  (5-15 ECUs) (3-8 ECUs)  (10-20)   (3-8 ECUs)

Bandwidth Budget per Bus Type

BusNominal RateMax Safe LoadTypical UseECU Count
Body CAN125 kbps< 30%Door modules, lights, seat motors, climate10–20
Powertrain CAN500 kbps< 40%Engine, transmission, fuel system control5–15
Chassis CAN500 kbps< 40%ABS, ESC, EPS, air suspension3–8
FlexRay10 Mbps< 60% staticSafety-critical chassis (X-by-wire)4–8
100BASE-T1 Ethernet100 Mbps< 50%Cameras, radar, OTA updates2–5
1000BASE-T1 Ethernet1 Gbps< 40%Backbone between domain controllers2–4

Topology Design Tools

Pythonbusload_network_check.py
#!/usr/bin/env python3
# Network matrix bus load analysis across all buses

import cantools, json

buses = {
    "Powertrain": {"rate_bps": 500_000, "max_load_pct": 40, "dbc": "powertrain.dbc"},
    "Chassis":    {"rate_bps": 500_000, "max_load_pct": 40, "dbc": "chassis.dbc"},
    "Body":       {"rate_bps": 125_000, "max_load_pct": 30, "dbc": "body.dbc"},
}

for bus_name, config in buses.items():
    db = cantools.database.load_file(config["dbc"])
    total_bits_per_sec = 0
    for msg in db.messages:
        if msg.cycle_time:
            frames_per_sec = 1000.0 / msg.cycle_time
            frame_bits = (1 + 11 + 6 + 8*msg.length + 16 + 4 + 3) * 1.2
            total_bits_per_sec += frames_per_sec * frame_bits

    load_pct = total_bits_per_sec / config["rate_bps"] * 100
    status = "OK" if load_pct < config["max_load_pct"] else "OVER BUDGET"
    print(f"{bus_name}: {load_pct:.1f}% load [{status}]")

Zonal Architecture: Physical Grouping

Zonal Architecture (Tesla/VW MEB+ style)
  Vehicle Computer (Central) — 1000BASE-T1 backbone
  ├── Front-Left Zone ECU ── body actuators/sensors: door, mirror, window
  │     (consolidates 4-6 legacy domain ECUs)
  ├── Front-Right Zone ECU ── same structure
  ├── Rear Zone ECU ── seat, trunk, rear lighting, rear cameras
  └── Roof Zone ECU ── sunroof, interior lights, HVAC sensors

  Benefits:
  - Wire harness 30-50% shorter (actuator near zone ECU, not domain controller)
  - ECU count: 70+ → 20-30 (zone ECUs replace multiple domain ECUs)
  - OTA: update one zone ECU → all peripherals in that zone updated

  Challenge:
  - Legacy supplier ECUs expose CAN interfaces → gateway needed in zone ECU
  - Hybrid Classic/Adaptive architecture during 2022-2028 transition period

Summary

Domain topology dominates today's production vehicles — separate CAN buses per functional domain (powertrain, chassis, body) connected by a central gateway. Zonal topology is the next generation, replacing functional grouping with physical location grouping and a Gigabit Ethernet backbone. The bus load budget (< 40% for powertrain/chassis CAN, < 30% for body CAN) must be validated with automated tools against the full signal matrix before ECU hardware ordering.

🔬 Deep Dive — Core Concepts Expanded

This section builds on the foundational concepts covered above with additional technical depth, edge cases, and configuration nuances that separate competent engineers from experts. When working on production ECU projects, the details covered here are the ones most commonly responsible for integration delays and late-phase defects.

Key principles to reinforce:

  • Configuration over coding: In AUTOSAR and automotive middleware environments, correctness is largely determined by ARXML configuration, not application code. A correctly implemented algorithm can produce wrong results due to a single misconfigured parameter.
  • Traceability as a first-class concern: Every configuration decision should be traceable to a requirement, safety goal, or architecture decision. Undocumented configuration choices are a common source of regression defects when ECUs are updated.
  • Cross-module dependencies: In tightly integrated automotive software stacks, changing one module's configuration often requires corresponding updates in dependent modules. Always perform a dependency impact analysis before submitting configuration changes.

🏭 How This Topic Appears in Production Projects

  • Project integration phase: The concepts covered in this lesson are most commonly encountered during ECU integration testing — when multiple software components from different teams are combined for the first time. Issues that were invisible in unit tests frequently surface at this stage.
  • Supplier/OEM interface: This is a topic that frequently appears in technical discussions between Tier-1 ECU suppliers and OEM system integrators. Engineers who can speak fluently about these details earn credibility and are often brought into critical design review meetings.
  • Automotive tool ecosystem: Vector CANoe/CANalyzer, dSPACE tools, and ETAS INCA are the standard tools used to validate and measure the correct behaviour of the systems described in this lesson. Familiarity with these tools alongside the conceptual knowledge dramatically accelerates debugging in real projects.

⚠️ Common Mistakes and How to Avoid Them

  1. Assuming default configuration is correct: Automotive software tools ship with default configurations that are designed to compile and link, not to meet project-specific requirements. Every configuration parameter needs to be consciously set. 'It compiled' is not the same as 'it is correctly configured'.
  2. Skipping documentation of configuration rationale: In a 3-year ECU project with team turnover, undocumented configuration choices become tribal knowledge that disappears when engineers leave. Document why a parameter is set to a specific value, not just what it is set to.
  3. Testing only the happy path: Automotive ECUs must behave correctly under fault conditions, voltage variations, and communication errors. Always test the error handling paths as rigorously as the nominal operation. Many production escapes originate in untested error branches.
  4. Version mismatches between teams: In a multi-team project, the BSW team, SWC team, and system integration team may use different versions of the same ARXML file. Version management of all ARXML files in a shared repository is mandatory, not optional.

📊 Industry Note

Engineers who master both the theoretical concepts and the practical toolchain skills covered in this course are among the most sought-after professionals in the automotive software industry. The combination of AUTOSAR standards knowledge, safety engineering understanding, and hands-on configuration experience commands premium salaries at OEMs and Tier-1 suppliers globally.

← PreviousHands-On: SOME/IP Service ImplementationNext →Gateway ECU Architecture