Skip to content
Published on

Semiconductor Physics & Devices Complete Guide: From Energy Bands to FinFET

Authors

Semiconductor Physics & Devices Complete Guide: From Energy Bands to FinFET

For electronics and electrical engineering students, semiconductor physics is an essential foundation. This guide systematically covers everything from quantum mechanics basics to the latest GAA transistors.


1. Quantum Mechanics Fundamentals

To understand semiconductor behavior, we need the language of quantum mechanics, not classical mechanics.

Wave-Particle Duality

de Broglie proposed that particles also have wave properties. The wavelength of an electron is:

λ=hp=hmv\lambda = \frac{h}{p} = \frac{h}{mv}

where hh is Planck's constant and pp is momentum. At the atomic scale, electrons behave like waves, so classical mechanics cannot describe electron behavior in semiconductors.

The Schrödinger Equation

The time-independent Schrödinger equation describes the energy states of electrons in semiconductors:

22m2ψ+Vψ=Eψ-\frac{\hbar^2}{2m}\nabla^2\psi + V\psi = E\psi

The square of the wavefunction ψ2|\psi|^2, the solution to this equation, represents the probability density of finding an electron at a specific location.

Energy Quantization

The energy of an electron inside an infinite potential well (quantum well) is discrete, not continuous:

En=n2π222mL2,n=1,2,3,E_n = \frac{n^2\pi^2\hbar^2}{2mL^2}, \quad n = 1, 2, 3, \ldots

This principle is the fundamental reason for energy band formation in semiconductors.

Pauli Exclusion Principle

No two electrons can occupy the same quantum state. As a result, when N atoms bond together, each energy level splits into N separate levels, ultimately forming energy bands.


2. Crystal Structure and Energy Bands

Silicon's Diamond Cubic Structure

Silicon (Si) has a diamond cubic structure. Each Si atom forms covalent bonds with 4 neighboring atoms, based on an FCC (face-centered cubic) lattice.

The lattice constant is a=5.43a = 5.43 Å, and this periodic potential determines the energy band structure.

Energy Band Formation

When N atoms bond together, each discrete energy level splits into N closely spaced levels. When the number of atoms is very large (~102310^{23}), these levels become effectively continuous energy bands.

  • Conduction Band: Energy region where electrons can move freely
  • Valence Band: Energy region of electrons participating in bonding
  • Energy Band Gap EgE_g: Forbidden region between the two bands

Direct vs. Indirect Bandgap

SemiconductorBandgap (eV)TypeKey Applications
Si1.12IndirectCPU, Memory
Ge0.67IndirectHigh-frequency devices
GaAs1.42DirectLED, Laser
GaN3.4DirectHigh-power LED
SiC2.86IndirectPower devices

In direct bandgap semiconductors (GaAs, GaN), photons are efficiently emitted during electron-hole recombination. Si, being indirect bandgap, has poor light emission efficiency and is unsuitable for LEDs.

Effective Mass

Electrons in a crystal experience a periodic potential and have an effective mass mm^* different from the free electron mass m0m_0:

m=2(d2Edk2)1m^* = \hbar^2 \left(\frac{d^2E}{dk^2}\right)^{-1}

In Si, the electron effective mass is mn0.26m0m_n^* \approx 0.26\,m_0 and the hole effective mass is mp0.37m0m_p^* \approx 0.37\,m_0.


3. Electrical Properties of Semiconductors

Intrinsic Semiconductor

In a pure semiconductor, electron concentration nn equals hole concentration pp:

n=p=nin = p = n_i

nin_i is the intrinsic carrier concentration, which depends strongly on temperature:

ni=NcNvexp(Eg2kBT)n_i = \sqrt{N_c N_v}\exp\left(-\frac{E_g}{2k_BT}\right)

For Si at room temperature (300 K), ni1.5×1010n_i \approx 1.5 \times 10^{10} cm3^{-3}.

Fermi-Dirac Distribution

The probability that an energy state EE is occupied by an electron:

f(E)=11+exp(EEFkBT)f(E) = \frac{1}{1 + \exp\left(\frac{E - E_F}{k_BT}\right)}

EFE_F is the Fermi level. In an intrinsic semiconductor, it is located near the middle of the bandgap.

Mass Action Law

At thermal equilibrium, regardless of doping:

np=ni2n \cdot p = n_i^2

This relationship is a core tool in semiconductor analysis.

Conduction Mechanisms

Drift: Carrier motion driven by electric field E\mathcal{E}: Jdrift=(qnμn+qpμp)EJ_{drift} = (qn\mu_n + qp\mu_p)\mathcal{E}

Diffusion: Carrier motion driven by concentration gradient: Jdiff=qDndndxqDpdpdxJ_{diff} = qD_n\frac{dn}{dx} - qD_p\frac{dp}{dx}

Einstein relation: D=μkBT/qD = \mu k_BT/q


4. Doping and Extrinsic Semiconductors

n-type Semiconductor: Donor Doping

Doping Si with Group V elements (phosphorus P, arsenic As, antimony Sb) introduces extra electrons that move into the conduction band.

When donor concentration NDniN_D \gg n_i: nND,pni2NDn \approx N_D, \quad p \approx \frac{n_i^2}{N_D}

The Fermi level shifts toward the conduction band: EF=Ei+kBTln(ND/ni)E_F = E_i + k_BT\ln(N_D/n_i)

p-type Semiconductor: Acceptor Doping

Doping with Group III elements (boron B, aluminum Al, gallium Ga) makes holes the majority carriers.

When acceptor concentration NAniN_A \gg n_i: pNA,nni2NAp \approx N_A, \quad n \approx \frac{n_i^2}{N_A}

Python: Carrier Concentration Calculation

import numpy as np
import matplotlib.pyplot as plt

# Silicon intrinsic carrier concentration (as function of temperature)
k_B = 8.617e-5  # eV/K
T = np.linspace(200, 600, 400)  # K
E_g = 1.12  # eV (Si)
N_c = 2.8e19  # cm^-3 effective density of states
N_v = 1.04e19  # cm^-3

n_i = np.sqrt(N_c * N_v) * np.exp(-E_g / (2 * k_B * T))

# n-type semiconductor (N_D = 1e17 cm^-3)
N_D = 1e17
n_n = N_D * np.ones_like(T)
p_n = n_i**2 / N_D

plt.figure(figsize=(10, 6))
plt.semilogy(T, n_i, 'k-', label='Intrinsic ni', linewidth=2)
plt.semilogy(T, n_n, 'b--', label='n-type: n (N_D=1e17)', linewidth=2)
plt.semilogy(T, p_n, 'r--', label='n-type: p (minority)', linewidth=2)
plt.xlabel('Temperature (K)')
plt.ylabel('Carrier Concentration (cm^-3)')
plt.title('Si Carrier Concentration vs Temperature')
plt.legend()
plt.grid(True, alpha=0.3)
plt.tight_layout()
plt.show()

5. p-n Junction

The heart of semiconductor devices. Every semiconductor device analysis builds upon the p-n junction.

Depletion Region Formation

When p-type and n-type semiconductor are brought into contact:

  1. Concentration gradient causes electrons to diffuse n→p and holes to diffuse p→n
  2. Ionized donors (+) and acceptors (-) remain, forming a space charge region
  3. The resulting internal electric field blocks further diffusion → thermal equilibrium

Built-in Potential

Vbi=kBTqln(NANDni2)V_{bi} = \frac{k_BT}{q}\ln\left(\frac{N_A N_D}{n_i^2}\right)

For Si with NA=ND=1017N_A = N_D = 10^{17} cm3^{-3}, Vbi0.83V_{bi} \approx 0.83 V.

Depletion Width

W=xn+xp=2εsq(NA+NDNAND)VbiW = x_n + x_p = \sqrt{\frac{2\varepsilon_s}{q}\left(\frac{N_A + N_D}{N_A N_D}\right)V_{bi}}

  • xnx_n: depletion depth on n-side, xpx_p: depletion depth on p-side
  • Charge neutrality: NAxp=NDxnN_A x_p = N_D x_n

Forward and Reverse Bias

Forward bias: External voltage VFV_F counteracts the built-in potential → current increases exponentially: I=I0[exp(qVkBT)1]I = I_0\left[\exp\left(\frac{qV}{k_BT}\right) - 1\right]

Reverse bias: Depletion region widens; only minority carrier current flows → very small current until breakdown.

Breakdown Mechanisms

  • Zener breakdown: Band-to-band tunneling under strong electric field. Occurs at high doping concentrations
  • Avalanche breakdown: Carrier multiplication via impact ionization. Occurs at lower doping concentrations

6. Bipolar Junction Transistor (BJT)

NPN BJT Structure and Operation

An NPN BJT consists of three semiconductor regions: n-type, p-type, n-type:

  • Emitter: Heavily doped, injects carriers
  • Base: Very thin (hundreds of nm to a few μm), p-type
  • Collector: Wide region, lightly doped

In forward active mode, the emitter-base is forward biased, and the base-collector is reverse biased:

IC=βIB,IE=IC+IB=(β+1)IBI_C = \beta I_B, \quad I_E = I_C + I_B = (\beta + 1)I_B

Current gain β\beta typically ranges from 50 to 500.

Transit Frequency

fT=gm2π(CBE+CBC)f_T = \frac{g_m}{2\pi(C_{BE} + C_{BC})}

High-speed BJTs achieve fT>100f_T > 100 GHz (HBT, SiGe BiCMOS).


7. MOS Capacitor and MOSFET

MOS Structure

The Metal-Oxide-Semiconductor structure is the foundation of modern VLSI:

  • Gate (Metal/Poly-Si) / Gate Oxide (SiO2 or High-k) / Semiconductor (Si)

Three Operating Modes

For NMOS with p-type Si substrate:

  1. Accumulation: VG<0V_G < 0, holes accumulate at the surface
  2. Depletion: 0<VG<Vth0 < V_G < V_{th}, depletion region forms at the surface
  3. Inversion: VG>VthV_G > V_{th}, electron channel forms at the surface

Threshold Voltage

Vth=VFB+2ϕF+QdepCoxV_{th} = V_{FB} + 2\phi_F + \frac{Q_{dep}}{C_{ox}}

  • VFBV_{FB}: Flatband voltage
  • ϕF=(kBT/q)ln(NA/ni)\phi_F = (k_BT/q)\ln(N_A/n_i): Fermi potential
  • QdepQ_{dep}: Depletion charge
  • Cox=εox/toxC_{ox} = \varepsilon_{ox}/t_{ox}: Oxide capacitance per unit area

MOSFET Drain Current Model

Linear region (VDS<VGSVthV_{DS} < V_{GS} - V_{th}): ID=μnCoxWL[(VGSVth)VDSVDS22]I_D = \mu_n C_{ox}\frac{W}{L}\left[(V_{GS} - V_{th})V_{DS} - \frac{V_{DS}^2}{2}\right]

Saturation region (VDSVGSVthV_{DS} \geq V_{GS} - V_{th}): ID=μnCox2WL(VGSVth)2(1+λVDS)I_D = \frac{\mu_n C_{ox}}{2}\frac{W}{L}(V_{GS} - V_{th})^2(1 + \lambda V_{DS})

λ\lambda is the channel length modulation coefficient, and W/LW/L is the channel width-to-length ratio.


8. CMOS Technology

CMOS Inverter

A CMOS inverter connects PMOS and NMOS in series as a basic logic gate:

  • Input LOW: PMOS ON, NMOS OFF → Output HIGH
  • Input HIGH: PMOS OFF, NMOS ON → Output LOW
  • Ideally zero static power dissipation

CMOS Power Dissipation

Ptotal=Pdynamic+PstaticP_{total} = P_{dynamic} + P_{static}

Dynamic power: Pdyn=αCloadVDD2fP_{dyn} = \alpha C_{load} V_{DD}^2 f

  • α\alpha: activity factor, CloadC_{load}: load capacitance, ff: clock frequency

Static power (leakage): Subthreshold current, BTBT (band-to-band tunneling), etc.

Dennard Scaling

When channel length is scaled by 1/κ1/\kappa:

  • Area decreases by 1/κ21/\kappa^2
  • Speed improves by factor κ\kappa
  • Power density: Theoretically constant

However, below 10 nm, Dennard scaling has broken down and power density has surged, causing the "dark silicon" problem.

FinFET (3D Transistor)

Introduced at the 22 nm node, FinFET forms the channel as a 3D fin structure:

  • Gate wraps around 3 sides of the channel → greatly reduced leakage current
  • Suppresses short-channel effects (SCE)
  • Higher drive current for the same footprint area

GAA (Gate-All-Around) FET

The next-generation structure, introduced/being introduced in Samsung 3 nm and TSMC 2 nm processes:

  • Gate completely surrounds the channel 360 degrees (nanosheet/nanowire)
  • Better electrostatic control than FinFET
  • CFET (Complementary FET): NMOS/PMOS stacked vertically

9. Semiconductor Fabrication

Process Flow Overview

Raw SiPolysiliconCZ GrowthWaferEpitaxy
LithographyEtchIon ImplantationAnnealDeposition (CVD/PVD)
CMPMetal InterconnectPackagingTest

Lithography

Modern lithography advances by shortening the light source wavelength:

  • DUV (Deep Ultraviolet): 193 nm ArF laser (current mainstream, with multi-patterning)
  • EUV (Extreme Ultraviolet): 13.5 nm source, ASML NXE/EXE systems
  • EUV single patterning enables sub-3 nm features

Resolution: R=k1λ/NAR = k_1\lambda/NA (Rayleigh criterion)

Ion Implantation

Dopant atoms are accelerated as an ion beam and implanted into silicon:

  • Energy: tens to thousands of keV
  • Dose: 101110^{11}~101610^{16} cm2^{-2}
  • Post-implant annealing (thermal processing) repairs crystal damage

Key Deposition Processes

  • Thermal Oxidation: Grows SiO2 gate oxide
  • CVD (Chemical Vapor Deposition): Polycrystalline Si, nitride films, Low-k dielectrics
  • ALD (Atomic Layer Deposition): High-k dielectrics (HfO2), uniform ultra-thin films
  • PVD/Sputtering: Metal interconnects (W, Cu, Ru)

CMP (Chemical Mechanical Polishing)

CMP planarizes multi-layer structures using a slurry (abrasive liquid) and polishing pad, achieving flatness at the nanometer level. CMP step count increases with the complexity of 3D structures.

Leading-Edge Process Nodes (2026)

CompanyCurrent NodeNext Generation
TSMC3 nm (N3E), 2 nm (N2)1.4 nm (A14)
Samsung3 nm GAA, 2 nm1.4 nm
IntelIntel 3 (~3 nm)Intel 18A

10. Optoelectronic Devices

LED (Light Emitting Diode)

In direct bandgap semiconductors (GaAs, GaN, InGaAs) under forward bias:

  1. Electrons recombine from the conduction band to the valence band
  2. A photon is emitted with energy equal to EgE_g

Emission wavelength: λ=hc/Eg\lambda = hc/E_g (nm)

High-efficiency blue LEDs are implemented with InGaN/GaN structures (Shuji Nakamura, Nobel Prize 2014).

Solar Cell

Operation of a p-n junction solar cell:

  1. Photon absorption → electron-hole pair generation
  2. Built-in potential drives electrons to the n-side and holes to the p-side
  3. Current is supplied to the external circuit

Single-junction Si solar cell theoretical efficiency limit (Shockley-Queisser): ~29% Multi-junction III-V solar cells: over 47% achieved (concentrator type)

CCD and CMOS Image Sensors

  • CCD: Transfers charge in a bucket-brigade fashion. High image quality, high power consumption
  • CMOS sensor: Each pixel contains active circuitry. Low power, fast readout, dominant in smartphones

Limits of Moore's Law

Moore's Law (doubling of transistor count every two years) is approaching physical limits:

  • Quantum tunneling intensifies at gate lengths of a few nm
  • Heat dissipation limits (power density in the hundreds of W/cm²)
  • Exponentially increasing process costs

3D Integration

HBM (High Bandwidth Memory): DRAM dies stacked vertically, connected by TSV (Through-Silicon Via) → bandwidth of several TB/s. Chiplet: Separate dies manufactured by function and integrated in a single package (adopted by AMD, Intel, Apple).

GaN Power Devices

Gallium nitride's wide bandgap (Eg=3.4E_g = 3.4 eV) and high electron mobility:

  • Optimal for high-voltage, high-frequency power conversion
  • GaN-on-SiC, GaN-on-Si substrates
  • Spreading to 65 W+ USB-PD chargers and server PSUs

AI-Dedicated Semiconductors

  • NPU (Neural Processing Unit): Accelerates matrix operations, low-power inference
  • TPU (Tensor Processing Unit): Designed by Google, systolic array architecture
  • HBM + Compute Die: Core architecture of AI accelerators (NVIDIA H100, AMD MI300)

12. Key Formula Summary

ItemFormula
Intrinsic carrier concentrationni=NcNvexp(Eg/2kBT)n_i = \sqrt{N_c N_v}\exp(-E_g/2k_BT)
Mass action lawnp=ni2np = n_i^2
Built-in potentialVbi=(kBT/q)ln(NAND/ni2)V_{bi} = (k_BT/q)\ln(N_A N_D / n_i^2)
Diode currentI=I0[exp(qV/kBT)1]I = I_0[\exp(qV/k_BT)-1]
MOSFET saturation currentID=(μnCox/2)(W/L)(VGSVth)2I_D = (\mu_n C_{ox}/2)(W/L)(V_{GS}-V_{th})^2
Dynamic powerPdyn=αCVDD2fP_{dyn} = \alpha C V_{DD}^2 f

Quiz

Q1. Why is silicon unsuitable for LEDs?

Answer: Because silicon is an indirect bandgap semiconductor.

Explanation: In an indirect bandgap material, electron-hole recombination requires a phonon to conserve momentum, making photon emission very unlikely. Most energy is dissipated as heat instead. By contrast, direct bandgap semiconductors like GaAs and GaN undergo recombination without a change in momentum, efficiently emitting photons. This is why virtually all practical LEDs use III-V compound semiconductors rather than silicon.

Q2. What short-channel effects (SCE) occur when the MOSFET channel length is reduced?

Answer: Several short-channel effects emerge.

Explanation: The most important are Drain-Induced Barrier Lowering (DIBL), threshold voltage roll-off (Vth decreases as channel shortens), subthreshold slope degradation (the SS increases beyond the 60 mV/decade ideal limit), and increased gate oxide tunneling current. These effects degrade transistor performance and increase leakage. They are the primary motivation for transitioning from planar MOSFETs to FinFET and then to GAA structures as technology nodes shrink.

Q3. Explain the mechanism by which the built-in potential forms at a p-n junction.

Answer: It forms from the balance between diffusion driven by carrier concentration gradients and the drift caused by the resulting internal electric field.

Explanation: When p-type and n-type semiconductors are brought into contact, electrons diffuse from n to p and holes diffuse from p to n due to concentration gradients. The ionized donor (+) and acceptor (-) ions left behind form a space charge region. The electric field generated by this space charge opposes further diffusion. At thermal equilibrium, when the diffusion current and drift current exactly balance, the resulting potential difference is the built-in potential.

Q4. Why is static power dissipation ideally near zero in CMOS circuits?

Answer: Because PMOS and NMOS operate complementarily, there is no direct current path from VDD to GND in steady state.

Explanation: In a CMOS inverter, when the input is HIGH, only the NMOS is ON and the PMOS is OFF. When the input is LOW, only the PMOS is ON and the NMOS is OFF. Therefore, in the ideal case, there is no direct current path between the supply (VDD) and ground (GND), and static power dissipation is essentially zero. In real devices, subthreshold leakage current and gate tunneling current exist, but these do not significantly compromise the low-power advantage of CMOS at larger nodes.

Q5. Why does FinFET suppress short-channel effects better than planar MOSFET?

Answer: Because the gate controls the channel from multiple sides, greatly improving electrostatic control.

Explanation: In a planar MOSFET, the gate applies an electric field to only one side (top) of the channel. In a FinFET, the gate wraps around 3 sides of the fin-shaped channel. This superior "electrostatic control" means the drain's electric field is effectively shielded by the gate field, greatly reducing DIBL and Vth roll-off. GAA (Gate-All-Around) takes this further by surrounding the channel 360 degrees, enabling continued scaling below the FinFET limit.


References

  • Sze, S.M. & Ng, K.K.Physics of Semiconductor Devices (3rd Ed.), Wiley
  • Neamen, D.A.Semiconductor Physics and Devices: Basic Principles (4th Ed.), McGraw-Hill
  • Streetman, B.G. & Banerjee, S.Solid State Electronic Devices, Pearson
  • MIT OCW 6.012 — Microelectronic Devices and Circuits (Prof. Jesús del Alamo)
  • TSMC Technology Overview — tsmc.com/technology
  • ITRS/IRDS Roadmap — irds.ieee.org

If you found this post helpful, check out the next in the series: "Analog Circuit Design Complete Guide."