- Published on
Power Electronics & Electric Machinery Guide: From DC-DC Converters to BLDC Motor Control
- Authors

- Name
- Youngju Kim
- @fjvbn20031
Power Electronics & Electric Machinery: A Comprehensive Guide
At the heart of electric vehicles, solar power systems, and industrial motor drives lies power electronics. This guide systematically covers core concepts from DC-DC converters to vector-controlled motor drives, designed for electrical engineering students.
1. Introduction to Power Electronics
Power electronics is the field of applying semiconductor switching devices to efficiently convert and control electrical energy. Unlike analog electronics (signal-level), power electronics operates at the power level — from milliwatts in portable devices to megawatts in grid-scale systems.
Energy Conversion Types
| Conversion | Circuit | Applications |
|---|---|---|
| DC → DC | Buck, Boost, Buck-Boost | Battery chargers, EV auxiliary power |
| AC → DC | Diode/SCR rectifiers | SMPS, industrial drives |
| DC → AC | Inverters | Solar PV, EV traction |
| AC → AC | Cycloconverters, Matrix converters | Variable-speed AC drives |
Key Switching Devices
- MOSFET: High-speed switching (MHz range), low voltage (under 600V), low on-resistance, ideal for switching power supplies
- IGBT: Medium to high voltage (600V–6.5kV), high current, standard for EV inverters and industrial drives
- SiC MOSFET: Silicon carbide, high blocking voltage, high-temperature operation, next-generation EV and solar inverters
- GaN HEMT: Gallium nitride, ultra-high switching speed (tens of MHz), on-board chargers (OBC) and data center PSUs
System efficiency is defined as:
Power losses split into switching loss and conduction loss:
Higher switching frequency reduces passive component size but increases switching losses — a fundamental design trade-off.
2. DC-DC Converters
2.1 Buck (Step-Down) Converter
The buck converter produces an output voltage lower than the input. A switch (MOSFET) alternates ON/OFF while an inductor and capacitor filter the energy.
CCM (Continuous Conduction Mode) operation:
- Switch ON (duration ): Inductor current rises,
- Switch OFF (duration ): Inductor current falls,
Volt-second balance (steady state: average inductor voltage = 0):
where is the duty cycle (0 to 1) and is the switching period.
Inductor current ripple:
Output voltage ripple:
import numpy as np
def simulate_buck(V_in, D, L, C, R, T_s, t_total):
"""Time-domain buck converter simulation using Euler integration."""
n = int(t_total / T_s)
i_L = np.zeros(n)
v_C = np.zeros(n)
for k in range(1, n):
phase = (k % 1000) / 1000.0
if phase < D: # Switch ON
di_L = (V_in - v_C[k-1]) / L * T_s
else: # Switch OFF (freewheeling diode conducts)
di_L = (-v_C[k-1]) / L * T_s
i_L[k] = max(0.0, i_L[k-1] + di_L)
dv_C = (i_L[k] - v_C[k-1] / R) / C * T_s
v_C[k] = v_C[k-1] + dv_C
return i_L, v_C
# Parameters
V_in = 24.0 # Input voltage [V]
D = 0.5 # Duty cycle 50%
L = 1e-3 # Inductance 1 mH
C = 100e-6 # Capacitance 100 uF
R = 10.0 # Load resistance 10 Ohm
T_s = 1e-5 # Switching period 10 us (100 kHz)
i_L, v_C = simulate_buck(V_in, D, L, C, R, T_s, t_total=0.1)
print(f"Theoretical output: {D * V_in:.1f} V")
print(f"Simulated output: {v_C[-1]:.2f} V")
2.2 Boost (Step-Up) Converter
The boost converter produces an output voltage higher than the input. Widely used in solar MPPT stages and PFC circuits.
CCM voltage conversion ratio:
Example: gives
Inductor current ripple:
Note: As , the voltage gain approaches infinity in theory, but real losses limit practical duty cycles to below 0.9.
2.3 Buck-Boost Converter
The output polarity is inverted. Used in bidirectional DC-DC converters for battery charge/discharge systems.
2.4 CCM vs DCM
- CCM (Continuous Conduction Mode): Inductor current never reaches zero. Preferred for high power — lower current ripple, predictable voltage gain.
- DCM (Discontinuous Conduction Mode): Inductor current reaches zero each cycle. Simpler control but variable gain with load.
- Critical inductance boundary:
3. AC-DC Conversion (Rectifiers)
3.1 Three-Phase Diode Bridge Rectifier
The standard front-end for industrial drives and large power supplies.
where is the line-to-line RMS voltage. Input power factor is approximately 0.95 but significant harmonic currents are generated.
3.2 Phase-Controlled Rectifier (SCR)
The firing angle of thyristors (SCRs) controls the output voltage:
- : Maximum voltage (full rectification)
- : Zero average output
- : Inverter operation (energy flows back to AC grid)
3.3 Power Factor Correction (PFC)
A boost-converter-based active PFC corrects the input power factor to above 0.99 and reduces current THD below 5%. Required by IEC 61000-3-2 for equipment above 75W. The boost PFC shapes the input current to be sinusoidal and in phase with the input voltage.
4. DC-AC Conversion (Inverters)
4.1 Three-Phase Full-Bridge Inverter
Six IGBTs/MOSFETs form the three-phase full-bridge, the backbone of EV traction inverters and grid-tied solar inverters.
Fundamental phase voltage output (SPWM):
where is the modulation index (0 to 1).
4.2 PWM Modulation Techniques
SPWM (Sinusoidal PWM):
- Compare sinusoidal reference with triangular carrier to generate gate signals
- Linear range:
- Output harmonics clustered around multiples of the carrier frequency
SVPWM (Space Vector PWM):
- Uses the concept of voltage space vectors in the alpha-beta plane
- DC bus utilization 15.5% higher than SPWM:
- Lower THD and switching losses compared to SPWM
- Standard in modern industrial drives
Dead-time compensation: A dead-time (typically hundreds of ns to a few microseconds) is inserted between upper and lower switch transitions to prevent shoot-through. This distorts the output voltage and must be compensated in software by adding or subtracting a correction voltage based on current polarity.
5. Transformers
5.1 Ideal Transformer Model
where is the turns ratio. Impedance scales as .
5.2 Practical Equivalent Circuit
A real transformer is modeled with winding resistances , , leakage inductances , , core loss resistance , and magnetizing inductance .
Transformer efficiency:
where is copper loss (winding I2R heating) and is iron loss (hysteresis + eddy current losses in the core).
5.3 Maximum Efficiency Condition
Maximum efficiency occurs when copper loss equals iron loss:
In practice, distribution transformers are designed for maximum efficiency at 50–75% of rated load, since average loading is well below nameplate capacity.
5.4 Special Transformer Types
- Autotransformer: Single winding with a tap. More compact and efficient, but no galvanic isolation.
- Isolation transformer: Galvanic isolation for safety and noise reduction in medical and industrial equipment.
- High-frequency transformer (in SMPS): Ferrite core, operates at tens of kHz to MHz, enabling dramatic size reduction.
6. Induction Motor
6.1 Operating Principle
When three-phase currents (120° phase-shifted) flow through stator windings, a rotating magnetic field (RMF) is produced at synchronous speed:
where is supply frequency and is the number of poles.
6.2 Slip
where is the rotor speed. At rated load, – (2–5%).
Rotor frequency: . At standstill (rotor frequency = supply frequency); at synchronous speed (no induced EMF, zero torque).
6.3 Equivalent Circuit and Torque
Electromagnetic torque from the per-phase equivalent circuit:
Maximum (breakdown) torque occurs at slip:
6.4 Starting Methods
- Direct On-Line (DOL): Simple but causes 6–8x rated current inrush
- Star-Delta (Y/D) Starter: Reduces starting current to 1/3, but torque also 1/3
- Soft Starter: SCR-based, gradually ramps voltage from 0 to full, smooth start
- VFD (Variable Frequency Drive): Optimal — starts at low frequency, full torque available from zero speed
6.5 V/F (Scalar) Control
Maintain constant air-gap flux by keeping V/f ratio constant:
IR compensation boosts voltage at low speeds to overcome winding resistance voltage drop. Above base speed, enter field weakening (flux reduces, speed increases at constant power).
7. Field Oriented Control (FOC)
7.1 Coordinate Transformations
Clarke Transform (3-phase to 2-phase stationary frame):
Park Transform (stationary to rotor-synchronous rotating frame):
7.2 d-q Current Control
- : Flux-producing current. In PMSM, set to zero for maximum torque/ampere; negative for field weakening.
- : Torque-producing current:
Two independent PI current controllers regulate and separately, with cross-coupling terms (back-EMF decoupling) for improved dynamic performance.
7.3 Cascaded Control Structure
The outer speed PI loop generates the (torque) reference. The inner current PI loops (bandwidth 5–10x faster) track and . The output voltage references are inverse-Park and inverse-Clarke transformed, then fed to SVPWM.
8. BLDC Motor and PMSM
8.1 BLDC 6-Step Commutation
BLDC motors have trapezoidal back-EMF. Three Hall sensors detect rotor position, and commutation logic selects which two phases conduct at each step.
| Hall State (H3,H2,H1) | Active Phases | Floating Phase |
|---|---|---|
| 101 | A+, B- | C |
| 100 | A+, C- | B |
| 110 | B+, C- | A |
| 010 | B+, A- | C |
| 011 | C+, A- | B |
| 001 | C+, B- | A |
import numpy as np
class BLDCMotor:
"""Simple BLDC motor dynamics model."""
def __init__(self, R, L, Ke, Kt, J, B):
self.R = R # Phase resistance [Ohm]
self.L = L # Phase inductance [H]
self.Ke = Ke # Back-EMF constant [V/(rad/s)]
self.Kt = Kt # Torque constant [Nm/A]
self.J = J # Moment of inertia [kg*m^2]
self.B = B # Viscous friction [Nm/(rad/s)]
self.omega = 0.0
self.i = 0.0
def step(self, V_applied, T_load, dt):
"""Forward Euler integration for one time step."""
# Electrical equation: L * di/dt = V - R*i - Ke*omega
di = (V_applied - self.R * self.i - self.Ke * self.omega) / self.L
self.i += di * dt
# Mechanical equation: J * domega/dt = Kt*i - B*omega - T_load
T_em = self.Kt * self.i
domega = (T_em - self.B * self.omega - T_load) / self.J
self.omega += domega * dt
return self.omega, self.i
# Example: 24V BLDC motor
motor = BLDCMotor(R=0.5, L=2e-3, Ke=0.05, Kt=0.05, J=1e-4, B=1e-4)
dt = 1e-4
speed_trace = []
for _ in range(5000):
omega, i = motor.step(V_applied=24.0, T_load=0.1, dt=dt)
speed_trace.append(omega)
print(f"Steady-state speed: {speed_trace[-1]:.1f} rad/s")
# Steady-state: V = R*i + Ke*omega => omega = (V - R*I_ss) / Ke
8.2 PMSM and Sensorless Control
PMSM (Permanent Magnet Synchronous Motor) has sinusoidal back-EMF and is always used with FOC for high performance.
Back-EMF observer for sensorless position estimation:
At low speed the back-EMF signal is weak (poor SNR), so I/F open-loop injection is used during startup, then the system transitions to sensorless closed-loop control.
9. Solar Inverters and MPPT
9.1 Solar Cell I-V Characteristic
where is photocurrent, is reverse saturation current, is ideality factor, and is thermal voltage (approximately 25.85 mV at 300 K).
The maximum power point (MPP) lies at the "knee" of the I-V curve where .
9.2 MPPT: Perturb & Observe Algorithm
class MPPT_PO:
"""Perturb and Observe MPPT algorithm."""
def __init__(self, step=0.01):
self.V_ref = 0.7 # Initial reference (fraction of Voc)
self.step = step # Perturbation step size
self.P_prev = 0.0
def update(self, V_pv, I_pv):
P = V_pv * I_pv
dP = P - self.P_prev
# Perturb in the direction of increasing power
if dP > 0:
self.V_ref += self.step
else:
self.V_ref -= self.step
self.P_prev = P
return self.V_ref
Other MPPT algorithms include Incremental Conductance (INC) and Ripple Correlation Control (RCC).
9.3 Grid-Tied Inverter Control
A PLL (Phase-Locked Loop) synchronizes the inverter to the grid voltage. D-Q current control independently regulates active power and reactive power :
With (d-axis aligned with grid voltage), is controlled by and by .
10. Electric Vehicle (EV) Powertrain
10.1 EV Drive System Architecture
Battery Pack (400 V / 800 V)
|
High-Voltage DC Bus
|-- Traction Inverter (DC/AC) --> 3-phase PMSM / Induction Motor
|-- DC-DC Converter (HV --> 12 V auxiliary systems)
`-- On-Board Charger - OBC (AC --> DC, from grid)
10.2 Regenerative Braking
During deceleration, the traction motor operates as a generator. The inverter allows reverse power flow, charging the battery from the kinetic energy of the vehicle. Regenerative braking recovery rates range from 15% to 70% depending on vehicle speed, deceleration rate, and battery state of charge.
The blending of regenerative and friction braking requires coordination between the powertrain control module (PCM) and the ABS/brake controller.
10.3 DC Fast Charging Standards
| Standard | Max Voltage | Max Power | Region |
|---|---|---|---|
| CCS Combo 1 | 1000 V | 350 kW | North America, Europe |
| CHAdeMO | 500 V | 400 kW | Japan |
| 800 V Architecture | 800 V | 350 kW+ | Hyundai/Kia, Porsche |
| GB/T | 1000 V | 250 kW | China |
The 800 V architecture halves the charging current for the same power, reducing cable heating and enabling faster charging times.
10.4 On-Board Charger (OBC)
The OBC converts AC grid power to DC for the battery. Modern OBCs use a bridgeless PFC stage (7.2–22 kW) followed by an isolated DC-DC stage (LLC or CLLC resonant converter for high efficiency). SiC MOSFETs are increasingly used to achieve over 96% peak efficiency.
11. Energy Storage Systems (ESS)
11.1 Battery Management System (BMS)
- SOC estimation: Coulomb counting (current integration) + Extended Kalman Filter for drift correction
- SOH estimation: Tracks internal resistance growth and capacity fade over cycles
- Cell balancing: Passive (resistive dissipation) vs active (capacitor/inductor-based energy transfer)
- Protection functions: Overvoltage, undervoltage, overcurrent, over-temperature, short-circuit cutoff
11.2 Bidirectional DC-DC Converter
Battery ESS requires a bidirectional converter switching between Buck mode (charging: grid to battery) and Boost mode (discharging: battery to grid/load). The half-bridge bidirectional topology uses two switches alternating control to achieve four-quadrant operation.
12. Quiz: Power Electronics & Electric Machinery
Q1. In a Buck converter with duty cycle D=0.6 and input voltage 20 V, what is the output voltage?
Answer: 12 V
Solution: The Buck converter voltage conversion ratio is V_out = D _ V_in. Therefore V_out = 0.6 _ 20 = 12 V. The inductor and capacitor act as energy buffers to reduce ripple, but the average output voltage is determined solely by the duty cycle in CCM.
Q2. In a Boost converter with duty cycle D=0.75 and input voltage 12 V, what is the output voltage?
Answer: 48 V
Solution: The Boost converter voltage conversion ratio is V_out = V_in / (1 - D). V_out = 12 / (1 - 0.75) = 12 / 0.25 = 48 V. As the duty cycle approaches 1, the theoretical voltage gain becomes infinite, but real losses limit practical duty cycles. Duty cycles above 0.9 are rarely used.
Q3. A 3-phase induction motor has a synchronous speed of 1800 rpm and a rotor speed of 1746 rpm. What is the slip?
Answer: s = 0.03 (3%)
Solution: Using the slip formula s = (ns - nr) / ns: s = (1800 - 1746) / 1800 = 54 / 1800 = 0.03. A slip of 2–5% is typical at rated load for standard induction motors. Higher slip means more rotor copper loss.
Q4. What is the purpose of the Park transform in FOC (Field Oriented Control)?
Answer: The Park transform converts the AC signals in the stationary alpha-beta frame into DC signals in the rotor-synchronous d-q frame, enabling independent, decoupled current control.
Explanation: The d-axis current controls flux while the q-axis current controls torque independently. This gives AC motor control the linearity and simplicity of a separately-excited DC motor. Since the Park transform uses the rotor angle theta, accurate position/speed sensing or estimation is critical for correct operation.
Q5. What are the advantages of SVPWM over SPWM?
Answer: SVPWM provides approximately 15.5% higher DC bus voltage utilization, lower output current THD, and reduced switching losses compared to SPWM.
Explanation: SPWM maximum linear output is V_dc/2 per phase, while SVPWM achieves V_dc / sqrt(3). This means a higher AC output from the same DC bus. Additionally, optimal zero-vector (V0, V7) distribution in SVPWM reduces the number of switching transitions per cycle, lowering switching losses. These advantages make SVPWM the standard in modern industrial drives.
References
- Mohan, Undeland & Robbins — Power Electronics: Converters, Applications, and Design, 3rd Ed., Wiley
- Muhammad H. Rashid — Power Electronics Handbook, 4th Ed., Butterworth-Heinemann
- Texas Instruments — Motor Control Application Notes and Reference Designs (ti.com/motorcontrol)
- MIT OpenCourseWare 6.334 — Power Electronics (ocw.mit.edu)
- Bose, B.K. — Modern Power Electronics and AC Drives, Prentice Hall
- Holmes & Lipo — Pulse Width Modulation for Power Converters, IEEE Press
- IEC 61000-3-2 — Harmonic current emission limits standard
This guide is based on undergraduate/graduate electrical engineering curricula. Always consult device datasheets and safety standards for real system design. Python simulation code is for educational purposes; use MATLAB/Simulink or dedicated power electronics simulators for production controller design.