The JPY Carry Trade: What It Is, How It Works, and Why It Matters for FX Traders banner image

Reference

Macro Education

The JPY Carry Trade: What It Is, How It Works, and Why It Matters for FX Traders

The Japanese yen has been the world's preferred carry trade funding currency for three decades. This guide explains the mechanics of the JPY carry trade, the rate differentials that drive it, the August 2024 unwind, and the signals every FX trader should monitor as the Bank of Japan slowly normalises.

Few trades in currency markets carry as much historical weight — or potential for sudden violence — as the Japanese yen carry trade. At its simplest, it involves borrowing in a low-interest-rate currency and deploying that capital into higher-yielding assets elsewhere. For roughly three decades, the yen has been the world's preferred funding currency for this strategy, with the Bank of Japan anchoring rates at or near zero while every other major central bank cycled through full tightening-and-easing regimes.

The result is a trade that is quiet for years, then explodes in spectacular fashion. The August 2024 carry unwind — when USD/JPY fell nearly 15 big figures in three weeks and global equity volatility surged to its highest reading since 2020 — was the sharpest reminder in years that JPY carry is not a free lunch. Understanding what drives it, how to measure its tension, and when it is most likely to unwind is essential knowledge for any FX trader operating in G10 markets.

Key Takeaway — April 2026

The Bank of Japan has begun a slow normalisation cycle — the first sustained rate increases since 2007 — but the policy rate remains deeply negative in real terms and far below any other G10 peer. The carry trade funding advantage has compressed but has not disappeared. With the BoJ navigating wage growth, sticky services inflation, and the political sensitivity of yen weakness, the carry trade will remain a defining structure in G10 FX for years to come.

What Is a Carry Trade?

A carry trade is a directional currency position that captures the interest rate differential between two economies. The mechanics are straightforward: a trader borrows in the low-rate currency (the funding currency), converts the proceeds into the high-rate currency (the target currency), and invests in that country's short-term instruments. The profit — the carry — is the interest rate differential, earned daily, as long as the exchange rate does not move against the position by more than the accumulated interest.

In the ideal carry trade environment, the target currency is stable or appreciating, the funding currency is weakening, and central bank policy is predictable. In practice, periods of financial stress tend to cause sharp reversals: risk aversion drives capital back into funding currencies, the position unwinds, and exchange rate losses swamp the accumulated carry income in a matter of days.

Carry Trade P&L — Simplified

Component JPY Carry Example
Borrow JPY at 0.5% per annum (BoJ policy rate)
Invest AUD at 4.10% per annum (RBA policy rate)
Gross carry +3.60% per annum
FX risk AUD/JPY can erase the carry if it drops more than ~3.6%

The carry is not risk-free. Uncovered interest-rate parity theory holds that exchange rates should adjust to equalise returns across currencies over time — a 3.6% yield differential should theoretically be offset by a 3.6% depreciation of the target currency. In practice, this adjustment is incomplete in the short and medium term, which is why carry strategies can generate sustained returns before suddenly reversing.

Why Japan? Three Decades of Ultra-Low Rates

Japan's structural deflationary pressure, demographic drag, and the policy response to the early-1990s asset price bubble collapse created a uniquely persistent low-rate environment. The Bank of Japan cut its benchmark rate to near zero in 1999, became the world's first central bank to deploy quantitative easing in 2001, and has spent most of the past quarter century operating with either zero or negative overnight rates.

Bank of Japan Policy Rate — 1995 to 2026

Three decades of near-zero rates — punctuated by a single brief hiking cycle in 2006–07 and the long-anticipated 2024 normalisation. Source: JPY policy_rate via FXMacroData.

The contrast with the rest of the G10 is stark. While the Federal Reserve, Reserve Bank of Australia, and Bank of England delivered hundreds of basis points of tightening in 2022–2023, the BoJ held its short-term policy rate at −0.10% until March 2024 — the longest period of negative official rates of any major central bank. This created the conditions for the largest sustained interest rate differential in modern G10 FX history.

You can pull the full BoJ rate history directly:

import requests

BASE = "https://fxmacrodata.com/api/v1"
KEY  = "YOUR_API_KEY"

boj_rate = requests.get(
    f"{BASE}/announcements/jpy/policy_rate",
    params={"api_key": KEY, "start": "2000-01-01"}
).json()["data"]

print(f"Current BoJ rate : {boj_rate[0]['val']}%  ({boj_rate[0]['date']})")
print(f"Next announcement: {boj_rate[0]['announcement_datetime']}")

The Classic Carry Pairs

The JPY funding advantage does not discriminate — almost any currency with a materially higher policy rate becomes a viable carry target. In practice, the market has cycled through a handful of dominant pairs depending on where yield differentials are widest and liquidity is deepest.

Major JPY Carry Pairs — Historical Dominance

Pair Why Popular Peak Era
AUD/JPY RBA historically delivers one of the highest G10 yields; Australia's commodity exposure adds momentum in risk-on regimes 2002–2007, 2021–2023
NZD/JPY RBNZ maintains comparatively high rates; NZD's small market amplifies carry-driven momentum 2002–2008, 2022–2024
USD/JPY World's most liquid currency pair; the Fed–BoJ differential reached 550 bps in 2023, the widest since the early 1980s 2022–2024 (new era)
GBP/JPY Bank of England's rate cycle + sterling volatility creates wide swings; popular with retail carry traders 2005–2007, 2022–2023
MXN/JPY Banco de México kept rates above 11% in 2023–2024; the highest nominal yield in liquid EM FX vs the BoJ near zero 2023–2024

The 2022–2024 iteration was unusual in that USD/JPY became the dominant expression of the carry trade rather than the commodity pairs. When the Federal Reserve hiked rates 525 basis points while the BoJ held at −0.10%, the USD/JPY rate differential dwarfed anything seen in decades. USD/JPY surged from 115 in early 2022 to a 32-year high above 160 in July 2024.

Rate Differentials: The Carry Trade Engine

The interest rate differential is the raw fuel of the carry trade. A wider differential means a larger daily income from holding the position, but also means the trade is more crowded — and a potential unwind is more violent. Monitoring the differential in real time is essential to understanding where carry trade risk is building.

G10 Policy Rate Differentials vs JPY (2020–2026)

The Fed–BoJ spread reached its widest point in mid-2023 at approximately 550 bps before BoJ normalisation began compressing differentials. Source: USD policy_rate, AUD policy_rate, JPY policy_rate via FXMacroData.

You can pull multi-currency rate data with a few API calls to reconstruct current differentials:

import requests

BASE = "https://fxmacrodata.com/api/v1"
KEY  = "YOUR_API_KEY"

currencies = ["usd", "aud", "nzd", "gbp", "cad"]
rates = {}

for ccy in currencies:
    r = requests.get(
        f"{BASE}/announcements/{ccy}/policy_rate",
        params={"api_key": KEY, "limit": 1}
    ).json()["data"]
    rates[ccy.upper()] = r[0]["val"] if r else None

jpy_rate = requests.get(
    f"{BASE}/announcements/jpy/policy_rate",
    params={"api_key": KEY, "limit": 1}
).json()["data"][0]["val"]

for ccy, rate in rates.items():
    print(f"{ccy}/JPY spread: {rate - jpy_rate:.2f}%")

How the Trade Builds — and Why Crowding Matters

In practice the carry trade is not just one position taken once. As a differential widens and the trade proves profitable, more participants pile in. Hedge funds, real-money accounts, and retail traders all take long AUD/JPY or long USD/JPY positions, driving the target currency higher and reinforcing the trade's profitability. This creates a self-reinforcing dynamic that can persist for months or years.

But crowding introduces fragility. The more investors hold the same position, the more violent the unwind when sentiment shifts. Any trigger that causes traders to simultaneously close carry positions — a BoJ surprise hike, a US recession shock, a risk-off event — generates coordinated yen buying that can move USD/JPY or AUD/JPY by several percent in a single trading session.

Why Crowding Is Visible in COT Data

The CFTC Commitment of Traders report publishes weekly net speculative positioning in JPY futures. Historically, when non-commercial (speculative) net short positioning in JPY reaches extreme levels — above 100,000 contracts — the trade is heavily crowded and the risk of a rapid unwind increases materially. The August 2024 unwind began precisely from a near-record short JPY position.

FXMacroData exposes COT data so traders can monitor positioning crowding alongside rate differentials:

import requests

BASE = "https://fxmacrodata.com/api/v1"
KEY  = "YOUR_API_KEY"

cot = requests.get(
    f"{BASE}/cot/jpy",
    params={"api_key": KEY, "limit": 52}
).json()["data"]

# Net non-commercial positioning (negative = short yen / long carry)
latest = cot[0]
print(f"JPY net spec position: {latest['net_noncommercial']:,} contracts ({latest['date']})")
print(f"Spec short: {latest['noncommercial_short']:,} | Spec long: {latest['noncommercial_long']:,}")

The August 2024 Carry Unwind — A Case Study

The most dramatic carry unwind of recent memory unfolded over just a few weeks in late July and early August 2024. USD/JPY had rallied from 130 to a 37-year high above 161 over the preceding two years, driven by the widest Fed–BoJ rate differential since the early 1980s. Speculative short JPY positioning was near record levels.

Three catalysts triggered the unwind in rapid succession:

  1. BoJ surprise hike (July 31, 2024) — The Bank of Japan raised its policy rate from 0.10% to 0.25% and announced a reduction in bond purchase guidance — a significantly more hawkish signal than markets had anticipated. This directly compressed the yen-funding advantage.
  2. Weak US jobs report (August 2, 2024) — Non-farm payrolls came in well below consensus, triggering a rapid repricing of Fed rate-cut expectations and driving US yields lower. A narrowing rate differential further undermined carry trade economics.
  3. VIX spike / risk-off — As leveraged carry positions began to be closed, yen appreciation accelerated in a classic doom loop: rising yen triggered margin calls on short-yen positions, forcing more yen buying, pushing it higher still. The VIX hit 65 briefly on August 5, 2024 — its highest intraday reading since the pandemic.

USD/JPY and the 2024 Carry Unwind

USD/JPY surged to 160+ on the back of the Fed–BoJ differential, then collapsed ~15 figures in three weeks as the unwind accelerated. The rate is illustrative of the violent nature of crowded carry reversals.

The episode illustrated a central truth about carry trades: the longer the differential persists and the more crowded the position becomes, the larger and faster the unwind when it comes. Three years of accumulated carry income can be erased in three weeks.

BoJ Normalisation — The End of the Carry Era?

In March 2024, the Bank of Japan ended its negative interest rate policy for the first time since 2016, raising the overnight rate to +0.10%. A second hike followed in July 2024 (to 0.25%), and the BoJ has signalled a cautious but ongoing normalisation path, contingent on durable wage growth and inflation settling above 2%.

Japan's headline CPI has been above the 2% target since April 2022 — the longest persistent inflation since the early 1990s. Core measures including services inflation, which the BoJ watches most closely as a signal of wage-driven demand, are showing early signs of the durable reflation the central bank has been waiting two decades for.

Japan CPI Inflation vs BoJ Policy Rate (2019–2026)

Japan's inflation broke decisively above the 2% target in 2022 for the first time in decades, creating the conditions for BoJ normalisation. Source: JPY inflation, JPY policy_rate via FXMacroData.

Critically, even if the BoJ normalises to 1.00–1.50% over the next two years — an aggressive scenario by its own cautious signalling — the carry differential would shrink materially but not disappear if G10 peers hold their own rates stable. A world where the BoJ reaches 1.00% and the Fed is at 4.00% still offers a 300 bps carry differential on USD/JPY. The trade compresses; it does not end.

The risk is not gradual compression but surprise acceleration. If the BoJ is forced to hike faster than expected — driven by a yen collapse triggering imported inflation — the unwind could be sharper than what markets are currently pricing.

Monitoring Carry Trade Conditions in Real Time

Several macro indicators give advance warning of carry trade stress building or compression occurring. Each of these is available through the FXMacroData API:

Carry Trade Signal Framework

Signal What to Watch FXMacroData Endpoint
BoJ policy rate Speed of normalisation vs market expectations; surprise hikes trigger immediate unwinds jpy/policy_rate
Japan CPI / core inflation Persistent above-target inflation forces the BoJ's hand; an acceleration is the single most important medium-term carry risk jpy/inflation, jpy/core_inflation
Japan wages Wage growth is the BoJ's key trigger for accelerating normalisation; sustained wage gains above 3% change the calculus jpy/wages
COT JPY net positioning Speculative net short JPY as a crowding indicator; extreme shorts correlate with unwind risk cot/jpy
G10 peer rates (USD/AUD/NZD) Fed/RBA/RBNZ cuts reduce the differential from the other side; track both legs usd/policy_rate, aud/policy_rate
Japan current account Japan's large structural current account surplus creates a natural repatriation flow; a sustained deterioration weakens the fundamental yen anchor jpy/current_account_balance

The Unwind Signature — What to Look For

Carry unwinds rarely begin with a single event. More commonly they begin with a compression in the rate differential (either the funding rate rising or the target rate falling), followed by a period of reduced trend momentum in the carry pair, before an eventual trigger causes rapid position closure.

The observable signature typically includes:

  • Cross-asset correlation: Carry pairs (AUD/JPY, NZD/JPY) start moving in sync with global equity indices. When AUD/JPY and the S&P 500 diverge — equities holding but the carry pair falling — this is an early signal of unwinding positioning.
  • COT net short compression: Weekly CFTC data shows a week-on-week reduction in aggregate speculative short JPY positioning. Three consecutive weeks of reduction is a meaningful signal.
  • Narrowing rate differentials: Either a BoJ hike surprise or a G10 central bank cut reduces the differential. Monitor upcoming BoJ meeting dates via the FXMacroData release calendar.
  • USD/JPY relative performance vs pairs: When USD/JPY starts underperforming its rate-differential-implied level, it suggests yen demand beyond what the current rate path justifies — a tell that repatriation or carry unwinding is underway.

JPY COT Net Speculative Positioning (2020–2026)

Deeply negative = crowded short yen (carry trade on). A move back toward zero or into positive territory signals active unwinding. Source: COT JPY futures data via FXMacroData.

Carry in the Current Regime (2026)

As of April 2026, the JPY carry trade is in a transitional phase. The Bank of Japan's normalisation has compressed differentials from their 2023 peak, but carry opportunities persist. The BoJ has moved cautiously — the policy rate remains far below neutral — and is likely to continue gradualist hiking contingent on evidence that domestic demand and wage growth are durable enough to sustain inflation above 2%.

The key asymmetries for carry traders to monitor heading through 2026:

2026 Carry Trade Watch Points

  • BoJ meeting cadence — Each MPM carries hike optionality; upside surprises compress the differential faster than the path implies
  • Spring wage negotiations (Shunto) — Sustained wage growth above 3% would validate faster BoJ normalisation and is the most important annual carry-trade risk event
  • Fed rate path — If the Federal Reserve cuts materially in H2 2026, USD/JPY carry loses income from both sides simultaneously — the most dangerous scenario for crowded positions
  • Global risk-off triggers — Carry unwinds correlate tightly with equity drawdowns. Any significant global shock (recession, geopolitical event, credit event) risks a rapid JPY repatriation wave

For traders wanting to track the BoJ's upcoming meeting schedule and the release dates for Japanese wages and CPI data — the two indicators most likely to move BoJ rate expectations — the FXMacroData release calendar gives a complete event timeline:

import requests

BASE = "https://fxmacrodata.com/api/v1"
KEY  = "YOUR_API_KEY"

calendar = requests.get(
    f"{BASE}/calendar/jpy",
    params={"api_key": KEY}
).json()["data"]

for event in calendar[:10]:
    print(f"{event['release_date']}  {event['indicator']}  (prev: {event.get('previous_value')})")

Summary

The JPY carry trade is the longest-running structural trade in G10 FX. Its persistence reflects a genuine and durable policy asymmetry: Japan's decades of deflation, demographic stagnation, and ultra-accommodative monetary policy created interest rate differentials that no other major central bank relationship has matched in depth or duration.

But the trade is not passive income — it is leveraged exposure to the BoJ's policy path, global risk appetite, and speculative positioning dynamics. The larger and more crowded the carry builds, the more violent the inevitable unwind. Monitoring the BoJ's normalisation pace, Japan's inflation and wage data, and speculative COT positioning in real time is the minimum due diligence for any FX participant with exposure to yen-funded carry strategies.

FXMacroData provides all of these signals — policy rates across G10 currencies, Japanese inflation and wages, COT positioning, and the BoJ event calendar — through a single unified API. Explore the available indicators at /api-data-docs/jpy/policy_rate.