Back to Life Sciences

Part 3: Cardiac Electrophysiology & Hemodynamics

February 22, 2026 Wasil Zafar 30 min read

The heart as an electrical and mechanical pump — from pacemaker cells and ECG waveforms to hemodynamic principles, cardiovascular regulation, and shock physiology.

Table of Contents

  1. Cardiac Electrical System
  2. Mechanical Function
  3. Hemodynamics
  4. Regulation
  5. Advanced Topics
  6. Interactive Tool
  7. Conclusion & Next Steps

Cardiac Electrical System

The heart is unique among muscles — it generates its own rhythmic electrical impulses without any external nervous input. Cut every nerve to the heart, and it still beats. This property, called automaticity, arises from specialised pacemaker cells that spontaneously depolarise, setting the tempo for the entire organ. Understanding the cardiac electrical system is the gateway to interpreting ECGs, diagnosing arrhythmias, and managing life-threatening cardiac emergencies.

Clinical Pearl: A denervated transplanted heart still beats because the SA node retains automaticity. However, the resting rate is higher (~100 bpm) because vagal tone — which normally slows the heart — is absent.

Pacemaker vs Contractile Cells

The heart contains two fundamentally different cell types, each with a distinct electrophysiology:

FeaturePacemaker CellsContractile (Working) Cells
LocationSA node, AV nodeAtrial & ventricular myocardium
Resting Potential–60 mV (unstable — drifts towards threshold)–90 mV (stable)
AutomaticityYes — "funny current" (If) causes slow diastolic depolarisationNo — requires external stimulation
Phase 0 UpstrokeSlow — carried by Ca²⁺ (L-type channels)Fast — carried by Na⁺ (voltage-gated)
Plateau PhaseAbsentPhase 2 — prolonged Ca²⁺ influx
Primary FunctionGenerate & conduct impulsesMechanical contraction
Speed of ConductionSlow (0.01–0.05 m/s at AV node)Fast (0.3–1.0 m/s in myocardium)
The Funny Current (If): Discovered by DiFrancesco in 1981, this hyperpolarisation-activated cation current is called "funny" because it was unusual — it activates upon hyperpolarisation rather than depolarisation. The drug ivabradine selectively blocks If, slowing the heart rate without affecting contractility, making it useful in heart failure management.

Conduction Pathway (SA → AV → His-Purkinje)

The cardiac impulse follows a precise anatomical route, ensuring coordinated contraction:

  1. SA Node (sinoatrial) — the primary pacemaker at the junction of the superior vena cava and right atrium. Intrinsic rate: 60–100 bpm
  2. Atrial Conduction — impulse spreads through atrial myocardium and three internodal pathways (anterior/Bachmann's, middle/Wenckebach, posterior/Thorel)
  3. AV Node (atrioventricular) — located in the interatrial septum near the coronary sinus. Intrinsic rate: 40–60 bpm. Introduces a critical 0.1-second delay allowing atrial contraction to complete before ventricular filling
  4. Bundle of His — penetrates the fibrous skeleton separating atria from ventricles (the only electrical connection)
  5. Bundle Branches — right and left (the left further divides into anterior and posterior fascicles)
  6. Purkinje Fibres — fastest conducting tissue in the heart (2–4 m/s), ensuring near-simultaneous ventricular depolarisation from apex to base. Intrinsic rate: 20–40 bpm
Historical Discovery
Stannius Ligature Experiments (1852)

Hermann Stannius performed elegant ligature experiments on frog hearts that demonstrated the hierarchy of cardiac pacemakers:

  • First ligature (between sinus venosus and atrium): atrium and ventricle stop — proving the sinus drives the heartbeat
  • Second ligature (AV groove): ventricle resumes beating at its own slower rate — proving subsidiary pacemakers exist

These experiments established the concept of a pacemaker hierarchy 150 years before molecular biology could identify the ionic mechanisms.

Cardiac Action Potentials

Ventricular contractile cells exhibit a distinctive five-phase action potential that lasts 250–300 ms — about 100 times longer than a skeletal muscle action potential:

PhaseNameIon MovementDescription
0Rapid DepolarisationNa⁺ influx (fast channels)Rapid upstroke from –90 mV to +20 mV in ~1 ms
1Early RepolarisationK⁺ efflux (Ito)Brief notch as transient outward K⁺ channels open
2PlateauCa²⁺ influx = K⁺ effluxL-type Ca²⁺ channels balance K⁺ efflux for ~200 ms — triggers contraction
3RepolarisationK⁺ efflux (IKr, IKs)Ca²⁺ channels inactivate; delayed rectifier K⁺ currents restore RMP
4Resting PotentialK⁺ leak (IK1)Stable at –90 mV; Na⁺/K⁺-ATPase restores ionic gradients

The prolonged plateau (Phase 2) is critically important — it creates a long effective refractory period (ERP) that prevents tetanic contraction of the heart. Unlike skeletal muscle, which can sustain contraction, the heart must relax between beats to refill with blood.

Long QT Syndrome: Mutations in genes encoding K⁺ channels (KCNQ1, KCNH2) or Na⁺ channels (SCN5A) prolong Phase 3, extending the QT interval on ECG. This can trigger Torsades de Pointes, a polymorphic ventricular tachycardia that may degenerate into ventricular fibrillation and sudden cardiac death.
import numpy as np
import matplotlib.pyplot as plt

# Simulate ventricular action potential (simplified 5-phase model)
time = np.linspace(0, 400, 1000)  # milliseconds
vm = np.zeros_like(time)

# Phase 4: resting (-90 mV)
vm[:] = -90

# Phase 0: rapid depolarisation (0-2 ms)
phase0 = (time >= 10) & (time < 12)
vm[phase0] = np.linspace(-90, 20, phase0.sum())

# Phase 1: early repolarisation (2-5 ms)
phase1 = (time >= 12) & (time < 15)
vm[phase1] = np.linspace(20, 0, phase1.sum())

# Phase 2: plateau (5-200 ms)
phase2 = (time >= 15) & (time < 210)
vm[phase2] = np.linspace(0, -10, phase2.sum())

# Phase 3: repolarisation (200-300 ms)
phase3 = (time >= 210) & (time < 310)
vm[phase3] = np.linspace(-10, -90, phase3.sum())

plt.figure(figsize=(10, 5))
plt.plot(time, vm, 'r-', linewidth=2)
plt.xlabel('Time (ms)')
plt.ylabel('Membrane Potential (mV)')
plt.title('Ventricular Cardiomyocyte Action Potential')

# Annotate phases
plt.annotate('Phase 0\n(Na⁺ in)', xy=(11, 10), fontsize=8, ha='center')
plt.annotate('Phase 1', xy=(13, 10), fontsize=8, ha='center')
plt.annotate('Phase 2 (Plateau)\nCa²⁺ in = K⁺ out', xy=(110, 5), fontsize=8, ha='center')
plt.annotate('Phase 3\n(K⁺ out)', xy=(260, -50), fontsize=8, ha='center')
plt.annotate('Phase 4\n(Resting)', xy=(360, -85), fontsize=8, ha='center')
plt.grid(True, alpha=0.3)
plt.tight_layout()
plt.show()

ECG Interpretation Basics

The electrocardiogram (ECG/EKG) records the heart's electrical activity from the body surface. Willem Einthoven invented the string galvanometer in 1903 and won the Nobel Prize in 1924 for this work. The standard 12-lead ECG provides 12 different "views" of the heart's electrical activity.

ComponentRepresentsNormal DurationClinical Significance
P WaveAtrial depolarisation< 0.12 sAbsent in atrial fibrillation; peaked in right atrial enlargement
PR IntervalConduction from SA to AV to His0.12–0.20 s>0.20 s = first-degree AV block
QRS ComplexVentricular depolarisation< 0.12 s>0.12 s = bundle branch block or ventricular rhythm
ST SegmentVentricular plateau (Phase 2)IsoelectricElevation = acute MI (STEMI); Depression = ischaemia
T WaveVentricular repolarisationPeaked = hyperkalaemia; Inverted = ischaemia/strain
QT IntervalTotal ventricular electrical activity0.36–0.44 s (rate-corrected)Prolonged = risk of Torsades de Pointes

Systematic ECG Reading Approach

Always follow a methodical approach — never rely on pattern recognition alone:

  1. Rate — 300 ÷ (number of large boxes between R-R) or count R waves in 6 seconds × 10
  2. Rhythm — regular or irregular? P wave before every QRS?
  3. Axis — normal (–30° to +90°), left deviation, right deviation
  4. Intervals — PR, QRS, QT durations
  5. Morphology — P wave, QRS, ST segment, T wave abnormalities

Mechanical Function

Electrical events drive mechanical events — the heart is ultimately a pump. Every beat propels approximately 70 mL of blood (the stroke volume) into the circulation. At 72 beats per minute, that's over 5 litres per minute at rest and up to 25 L/min during maximal exercise. Understanding the mechanical function of the heart is essential for managing heart failure, valvular disease, and cardiogenic shock.

Cardiac Cycle Phases

The cardiac cycle describes the sequence of pressure and volume changes during one complete heartbeat (~0.8 s at 75 bpm). Think of it as a precisely choreographed four-act play:

PhaseDurationValvesWhat Happens
Ventricular Filling~0.5 sAV valves open; semilunar closedPassive filling (80%) then atrial contraction ("atrial kick" — 20%). Loss of atrial kick in AF reduces CO by ~25%
Isovolumic Contraction~0.05 sAll valves closedVentricle contracts, pressure rises rapidly. Volume unchanged — isovolumic. First heart sound (S1) from AV valve closure
Ejection~0.3 sSemilunar valves open; AV closedRapid then reduced ejection. Aortic pressure rises. Normal ejection fraction (EF): 55–70%
Isovolumic Relaxation~0.08 sAll valves closedVentricle relaxes, pressure drops rapidly. Second heart sound (S2) from semilunar valve closure. Dicrotic notch on aortic pressure tracing
Wiggers Diagram Analogy: Think of the cardiac cycle like a washing machine cycle — fill (ventricular filling), lock door (isovolumic contraction), spin (ejection), unlock (isovolumic relaxation). The Wiggers diagram plots all these events simultaneously — pressure, volume, ECG, and heart sounds — making it the most information-dense figure in cardiovascular physiology.

Stroke Volume & Cardiac Output

Two fundamental equations define cardiac pump function:

Key Equations:
Stroke Volume (SV) = End-Diastolic Volume (EDV) – End-Systolic Volume (ESV)
Typical: 120 mL – 50 mL = 70 mL

Cardiac Output (CO) = Stroke Volume × Heart Rate
Typical: 70 mL × 72 bpm = ~5,040 mL/min ≈ 5 L/min

Ejection Fraction (EF) = SV ÷ EDV × 100
Normal: 70 ÷ 120 × 100 = ~58% (normal ≥ 55%)

Frank-Starling Mechanism

Otto Frank (1895) and Ernest Starling (1914) independently discovered the most elegant self-regulatory mechanism of the heart:

Frank-Starling Law: "The energy of contraction is proportional to the initial length of the cardiac muscle fibre." In clinical terms: the more the heart fills, the more forcefully it contracts. This ensures that cardiac output automatically matches venous return — the two ventricles always pump the same volume, preventing pulmonary or systemic congestion.

Molecular Mechanism: Increased stretch brings actin and myosin filaments to a more optimal overlap position and increases troponin C sensitivity to calcium (length-dependent activation). At the organ level, stretching the right atrial wall also triggers the Bainbridge reflex — increased heart rate in response to increased venous return.

import numpy as np
import matplotlib.pyplot as plt

# Frank-Starling curve simulation
edv = np.linspace(50, 200, 100)  # End-diastolic volume (mL)

# Normal curve (sigmoidal function)
sv_normal = 90 / (1 + np.exp(-0.05 * (edv - 120))) + 20
# Enhanced contractility (e.g., sympathetic stimulation)
sv_enhanced = 110 / (1 + np.exp(-0.05 * (edv - 110))) + 25
# Depressed contractility (e.g., heart failure)
sv_depressed = 60 / (1 + np.exp(-0.05 * (edv - 140))) + 15

plt.figure(figsize=(10, 6))
plt.plot(edv, sv_normal, 'b-', linewidth=2, label='Normal')
plt.plot(edv, sv_enhanced, 'g--', linewidth=2, label='Enhanced (Sympathetic)')
plt.plot(edv, sv_depressed, 'r:', linewidth=2, label='Depressed (Heart Failure)')
plt.xlabel('End-Diastolic Volume / Preload (mL)')
plt.ylabel('Stroke Volume (mL)')
plt.title('Frank-Starling Curves')
plt.legend()
plt.grid(True, alpha=0.3)
plt.annotate('Normal operating\npoint', xy=(120, 78), fontsize=9,
            arrowprops=dict(arrowstyle='->', color='blue'),
            xytext=(140, 60))
plt.tight_layout()
plt.show()

Preload, Afterload & Contractility

The three determinants of stroke volume can be remembered from the perspective of the ventricle:

DeterminantDefinitionClinical ProxyIncreased ByDecreased By
PreloadDegree of ventricular stretch at end-diastoleEDV, LVEDP, PCWPIV fluids, leg elevation, blood transfusionDiuretics, nitroglycerin, haemorrhage
AfterloadResistance the ventricle must overcome to eject bloodAortic pressure, SVRAortic stenosis, hypertension, vasoconstrictionVasodilators (ACE inhibitors, hydralazine)
ContractilityIntrinsic strength of contraction (independent of preload/afterload)EF, dP/dtCatecholamines, digoxin, calciumHeart failure, β-blockers, acidosis, hypoxia

Hemodynamics

Hemodynamics is the physics of blood flow — how pressure, flow, and resistance interact throughout the vascular system. Just as Ohm's law governs electrical circuits (V = IR), an analogous relationship governs the circulation: ΔP = Q × R (pressure gradient = flow × resistance). This section applies fluid physics to the living circulation.

Blood Pressure Determinants

Blood pressure is determined by two fundamental variables:

Mean Arterial Pressure (MAP) = Cardiac Output × Total Peripheral Resistance
MAP ≈ Diastolic BP + ⅓(Systolic – Diastolic)
Normal: ~93 mmHg (e.g., 120/80 → 80 + ⅓(40) = 93 mmHg)
MAP must exceed 60 mmHg for adequate organ perfusion
ParameterNormal RangeClinical Significance
Systolic BP< 120 mmHgPeak pressure during ventricular ejection
Diastolic BP< 80 mmHgMinimum pressure during ventricular relaxation; reflects TPR
Pulse Pressure~40 mmHgSBP – DBP; widened in aortic regurgitation, atherosclerosis
MAP70–105 mmHgDriving pressure for organ perfusion

Flow, Resistance & Compliance

Three interdependent concepts govern haemodynamics:

  • Flow (Q) = ΔP / R (analogous to Ohm's law: I = V / R)
  • Resistance (R) — opposition to flow; primarily determined by arteriolar diameter. Arterioles are the "resistance vessels" and the major site for blood pressure regulation
  • Compliance (C) = ΔV / ΔP — the ability of a vessel to stretch. Veins have high compliance (capacitance vessels holding ~65% of blood volume). Arteries have lower compliance but higher elastic recoil (Windkessel function)

Poiseuille's Law

Jean Léonard Marie Poiseuille (1838) derived the mathematical relationship between flow and vessel dimensions:

Poiseuille's Law: Q = (π × ΔP × r⁴) / (8 × η × L)
Where: Q = flow, ΔP = pressure gradient, r = vessel radius, η = blood viscosity, L = vessel length

The r⁴ relationship is the most important concept — doubling the radius increases flow 16-fold. This is why small changes in arteriolar diameter have enormous effects on blood pressure and why atherosclerosis (which narrows vessels) is so devastating.
import numpy as np
import matplotlib.pyplot as plt

# Poiseuille's Law: demonstrate r^4 relationship
radius_fraction = np.linspace(0.3, 1.5, 100)  # Fraction of normal radius
flow_fraction = radius_fraction ** 4  # Flow relative to normal

plt.figure(figsize=(10, 6))
plt.plot(radius_fraction * 100, flow_fraction * 100, 'b-', linewidth=2)
plt.axhline(y=100, color='gray', linestyle='--', alpha=0.5, label='Normal flow')
plt.axvline(x=100, color='gray', linestyle='--', alpha=0.5, label='Normal radius')

# Mark clinically relevant points
plt.plot(50, (0.5**4)*100, 'ro', markersize=10)
plt.annotate('50% stenosis\n→ 94% flow reduction!', xy=(50, (0.5**4)*100),
            xytext=(60, 20), fontsize=9,
            arrowprops=dict(arrowstyle='->', color='red'))

plt.plot(70, (0.7**4)*100, 'o', color='orange', markersize=10)
plt.annotate('30% stenosis\n→ 76% flow reduction', xy=(70, (0.7**4)*100),
            xytext=(75, 40), fontsize=9,
            arrowprops=dict(arrowstyle='->', color='orange'))

plt.xlabel('Vessel Radius (% of normal)')
plt.ylabel('Blood Flow (% of normal)')
plt.title("Poiseuille's Law: Flow ∝ Radius⁴")
plt.legend()
plt.grid(True, alpha=0.3)
plt.tight_layout()
plt.show()

Microcirculation & Capillary Exchange

Capillaries are the functional unit of the circulation — where the actual business of gas exchange, nutrient delivery, and waste removal occurs. There are approximately 10 billion capillaries with a total surface area of ~500 m².

Starling Forces (Capillary Exchange)

Ernest Starling (the same Starling of the heart law) described the forces governing fluid movement across capillary walls:

ForceArteriolar EndVenular EndEffect
Capillary hydrostatic pressure (Pc)35 mmHg15 mmHgPushes fluid OUT
Interstitial hydrostatic pressure (Pi)0 mmHg0 mmHgPushes fluid IN (negligible)
Plasma oncotic pressure (πc)25 mmHg25 mmHgPulls fluid IN (albumin)
Interstitial oncotic pressure (πi)1 mmHg1 mmHgPulls fluid OUT (negligible)
Net Filtration Pressure+11 mmHg (OUT)–9 mmHg (IN)Net: slight excess filtration; lymphatics drain the difference
Clinical Case Study
Oedema Formation: When Starling Forces Go Wrong

A 65-year-old man with liver cirrhosis presents with massive ascites and bilateral pedal oedema. Analysis through Starling forces:

  • Decreased πc: The cirrhotic liver fails to synthesise albumin (serum albumin = 1.8 g/dL vs normal 3.5–5.0 g/dL), reducing plasma oncotic pressure
  • Increased Pc: Portal hypertension increases capillary hydrostatic pressure in splanchnic vessels
  • Result: Massive net filtration of fluid into the interstitial space and peritoneal cavity
  • Treatment: IV albumin, diuretics (spironolactone + furosemide), and TIPS procedure for refractory cases
Starling Forces Oedema Cirrhosis

Cardiovascular Regulation

The cardiovascular system maintains blood pressure and organ perfusion through a layered hierarchy of control mechanisms — ranging from rapid neural reflexes (seconds) through hormonal responses (minutes to hours) to long-term renal mechanisms (hours to days). This redundancy ensures survival even when one regulatory pathway fails.

Baroreceptors & Chemoreceptors

Baroreceptors are stretch-sensitive mechanoreceptors located in the carotid sinus and aortic arch. They provide the fastest blood pressure regulation — the baroreceptor reflex corrects acute changes within seconds:

ScenarioBaroreceptor FiringAutonomic ResponseCardiovascular Effect
↑ BP (e.g., anxiety)↑ Firing rate↑ Vagal tone, ↓ Sympathetic↓ HR, ↓ SVR, ↓ Contractility → BP falls
↓ BP (e.g., haemorrhage)↓ Firing rate↓ Vagal tone, ↑ Sympathetic↑ HR, ↑ SVR, ↑ Contractility → BP rises
Standing up (orthostasis)↓ Firing (blood pools in legs)Rapid sympathetic activation↑ HR, ↑ SVR within 5–10 seconds

Chemoreceptors — peripheral (carotid body, aortic body) and central (medulla) — detect PaO₂, PaCO₂, and pH changes. Hypoxia and hypercapnia trigger sympathetic-mediated vasoconstriction and tachycardia alongside increased ventilation.

Baroreceptor Resetting: In chronic hypertension, baroreceptors gradually reset to the new higher pressure. This is why suddenly normalising blood pressure in a chronically hypertensive patient can cause syncope — the baroreceptors interpret normal BP as "too low."

Autonomic Control

The heart receives dual innervation — parasympathetic (vagus nerve) and sympathetic (cardiac accelerator nerves from T1-T5):

PropertyParasympathetic (Vagus)Sympathetic
NeurotransmitterAcetylcholine → M₂ receptorsNoradrenaline → β₁ receptors
Effect on HR↓ (negative chronotropy)↑ (positive chronotropy)
Effect on Conduction↓ AV conduction (negative dromotropy)↑ Conduction velocity (positive dromotropy)
Effect on ContractilityMinimal (atria only)↑ (positive inotropy — both atria and ventricles)
Effect on RelaxationNone↑ (positive lusitropy — faster relaxation)
Dominant at RestYes — "vagal tone" keeps resting HR ~72 bpm vs intrinsic 100 bpmNo — activated during exercise/stress

Hormonal Influences (RAAS, ANP)

Hormonal regulation provides medium- to long-term blood pressure control:

Renin-Angiotensin-Aldosterone System (RAAS)

  1. Trigger: Low renal perfusion pressure, low Na⁺ at macula densa, or sympathetic stimulation → juxtaglomerular cells release renin
  2. Renin cleaves angiotensinogen (liver) → angiotensin I
  3. ACE (pulmonary endothelium) converts angiotensin I → angiotensin II
  4. Angiotensin II effects:
    • Potent arteriolar vasoconstriction → ↑ SVR → ↑ BP
    • Stimulates aldosterone release (adrenal cortex) → Na⁺/H₂O retention → ↑ blood volume
    • Stimulates ADH release (posterior pituitary) → water retention
    • Stimulates thirst centre (hypothalamus)
    • Promotes cardiac and vascular remodelling (hypertrophy, fibrosis)

Counter-Regulatory Hormones

HormoneSourceStimulusEffect
ANP (Atrial Natriuretic Peptide)Atrial myocytesAtrial stretch (volume overload)Vasodilation, ↑ Na⁺/H₂O excretion, inhibits RAAS
BNP (Brain Natriuretic Peptide)Ventricular myocytesVentricular wall stressSimilar to ANP; used as heart failure biomarker
NO (Nitric Oxide)Vascular endotheliumShear stress, acetylcholineVasodilation via cGMP; anti-thrombotic
Prostacyclin (PGI₂)EndotheliumShear stressVasodilation, inhibits platelet aggregation
Endothelin-1EndotheliumAngiotensin II, thrombinPotent vasoconstriction (counter-regulates NO)

Advanced Topics

This section integrates electrical and mechanical cardiovascular physiology into clinical pathophysiology — understanding what happens when the system fails. These are the highest-yield topics for clinical medicine and critical care.

Shock Physiology

Shock is defined as inadequate tissue perfusion leading to cellular hypoxia and organ dysfunction. It is not synonymous with low blood pressure — compensatory mechanisms may maintain BP initially while tissues are already oxygen-starved.

TypeMechanismExampleCOSVRPCWPTreatment
Hypovolaemic↓ Preload (volume loss)Haemorrhage, burns, dehydrationVolume resuscitation, blood products
CardiogenicPump failureMI, arrhythmia, tamponadeInotropes (dobutamine), IABP, revascularisation
Distributive↓ SVR (vasodilation)Sepsis, anaphylaxis, neurogenic↑ (initially)↓ or normalVasopressors (noradrenaline), fluids, treat cause
ObstructivePhysical obstructionPulmonary embolism, tension pneumothoraxVariesRelieve obstruction (thrombolysis, needle decompression)
Clinical Case Study
Haemorrhagic Shock: Compensatory Cascade

A 28-year-old man presents after a road traffic accident with estimated 1.5 L blood loss (~30% of blood volume). Here is the physiological compensatory cascade:

  1. Seconds: Baroreceptor reflex → ↑ HR to 120 bpm, ↑ SVR via arteriolar vasoconstriction
  2. Minutes: Sympathetic activation → venoconstriction (autotransfusion from venous reservoir), ↑ contractility
  3. Minutes–Hours: RAAS activation → Na⁺/H₂O retention; ADH release → water retention
  4. Hours: Transcapillary refill — reduced Pc draws interstitial fluid into capillaries (~0.5 L/hour)
  5. Days: Erythropoietin release → stimulates red blood cell production

Key teaching point: Blood pressure may remain near-normal through Classes I-II haemorrhage (up to 30% loss) due to these compensatory mechanisms. Hypotension is a late sign indicating decompensation — don't wait for it.

Shock Haemorrhage Compensation

Heart Failure Mechanisms

Heart failure (HF) occurs when the heart cannot meet the body's metabolic demands at normal filling pressures. It is classified by ejection fraction:

ClassificationEFPrimary ProblemCommon CausesKey Features
HFrEF (Systolic)< 40%Impaired contractionPost-MI, dilated cardiomyopathyDilated ventricle, reduced contractility, Frank-Starling curve shifts right and down
HFpEF (Diastolic)≥ 50%Impaired relaxation/fillingHypertensive heart disease, HCM, infiltrativeThick/stiff ventricle, elevated filling pressures, EF preserved
HFmrEF40–49%IntermediateMixedFeatures of both; increasingly recognised entity
Neurohormonal Vicious Cycle in Heart Failure: Reduced CO → RAAS activation + sympathetic stimulation → vasoconstriction (↑ afterload) + fluid retention (↑ preload) + cardiac remodelling → further ↓ CO. Modern HF therapy (ACE inhibitors, β-blockers, mineralocorticoid receptor antagonists, SGLT2 inhibitors) works by interrupting this neurohormonal cycle.

Coronary Circulation Regulation

The heart receives its own blood supply through coronary arteries — and has uniquely demanding requirements:

  • High oxygen extraction: The heart extracts ~70–80% of delivered O₂ (vs ~25% for most tissues). It cannot significantly increase extraction further — increased demand can only be met by increasing coronary blood flow
  • Flow occurs mainly in diastole: Left ventricular contraction compresses intramural coronary vessels; most LCA flow occurs during diastole (this is why tachycardia is dangerous in coronary disease — it shortens diastole)
  • Metabolic autoregulation: Adenosine (produced from ATP breakdown during increased work) is the primary local vasodilator; NO, K⁺, CO₂, and H⁺ also contribute
Exercise: Hemodynamic Calculations
Practice Problems

Try these calculations to reinforce your understanding:

  1. A patient has HR = 80 bpm, EDV = 130 mL, ESV = 60 mL. Calculate SV, EF, and CO.
  2. If BP is 150/90, what is the MAP? Is this patient hypertensive?
  3. An arteriole's radius decreases by 20% due to sympathetic vasoconstriction. By what factor does resistance change? (Hint: R ∝ 1/r⁴)
  4. A patient in shock has: ↓CO, ↑SVR, ↑PCWP. What type of shock? What is the treatment?
Cardiac Output MAP Poiseuille Shock

Interactive Tool

Use this Cardiac Cycle Analyser to document the hemodynamic parameters of any cardiac condition. Enter your data and download a professional report in Word, Excel, or PDF format.

Cardiac Cycle Analyser

Enter cardiac parameters to generate a comprehensive hemodynamic report. Download as Word, Excel, or PDF.

Draft auto-saved

Conclusion & Next Steps

In this article, we explored the heart as both an electrical and mechanical organ. We traced the cardiac impulse from the SA node through the His-Purkinje system, understood the ionic basis of cardiac action potentials, and learned systematic ECG interpretation. We then connected electrical events to mechanical function — the cardiac cycle, Frank-Starling mechanism, and the three determinants of stroke volume (preload, afterload, contractility).

The hemodynamics section revealed how the circulation obeys physical laws (Poiseuille, Starling forces) while being exquisitely regulated by neural reflexes (baroreceptors), hormonal systems (RAAS, natriuretic peptides), and local metabolic factors. Finally, we applied these principles to clinical pathophysiology — shock classification and heart failure mechanisms.

The cardiovascular system doesn't work in isolation. It is intimately linked with the respiratory system — pulmonary blood flow, gas exchange, and the oxygen-haemoglobin relationship are the critical next step in understanding how the body delivers oxygen to every cell.

Next in the Series

In Part 4: Respiratory Mechanics & Gas Exchange, we'll explore lung volumes, compliance, gas exchange, oxygen dissociation, and respiratory regulation.