Trend Following Strategy Complete Guide: The Art of Trading with the Trend
Quick Guide: This article provides an in-depth analysis of Trend Following trading strategy, from moving averages to trend identification, offering a complete methodology for trend-based trading. Estimated reading time: 18 minutes.
What is Trend Following?
Trend Following is a trading strategy that identifies existing market trends and follows them. It doesn't predict market direction; instead, it waits for trend confirmation before entering and exits only when the trend ends.
History of Trend Following
Trend Following is one of the oldest and most successful trading strategies. According to AHL research, trend following strategies have consistently generated positive returns over the past 30 years, especially during market crises.
Famous Trend Following traders:
- Richard Dennis: Creator of the Turtle Trading Rules
- Ed Seykota: Turned $5,000 into $15 million
- Bill Dunn: 40+ years of trend following, 20%+ annualized returns
Core Beliefs of Trend Following
Core Principles:
├── Market prices exhibit trending behavior
├── Once a trend forms, it tends to persist
├── Cannot predict trend duration, can only follow
├── Small losses + Big profits = Long-term profitability
└── Disciplined execution beats predictive ability
Three Stages of a Trend
| Stage | Name | Characteristics | Trader Action |
|:---:|:---|:---|:---|
| 1 | Accumulation Phase | Smart money enters, price consolidates | Observe, don't enter |
| 2 | Trend Phase | Public participation, rapid price movement | Enter and follow |
| 3 | Distribution Phase | Smart money exits, trend ends | Prepare to exit |
Trend Identification Tools
1. Moving Averages
Moving averages are the most fundamental and important tool for trend following.
#### Types of Moving Averages
| Type | Calculation | Characteristics | Best For |
|:---|:---|:---|:---|
| SMA | Simple average | Smooth, stable | Long-term trends |
| EMA | Exponentially weighted | Sensitive to recent prices | Short-term trends |
| WMA | Weighted average | Higher weight on recent prices | Medium-term trends |
#### Common MA Combinations
Short-term trends:
├── 5-day EMA
├── 10-day EMA
└── 20-day EMA
Medium-term trends:
├── 20-day EMA
├── 50-day SMA
└── 100-day SMA
Long-term trends:
├── 50-day SMA
├── 100-day SMA
└── 200-day SMA
#### Golden Cross and Death Cross
Golden Cross (Bullish Signal):
├── Short-term MA crosses above long-term MA
├── Represents stronger short-term momentum
├── Trend may turn upward
└── Common combination: 50-day/200-day
Death Cross (Bearish Signal):
├── Short-term MA crosses below long-term MA
├── Represents weaker short-term momentum
├── Trend may turn downward
└── Common combination: 50-day/200-day
#### MA Strategy Code
interface MovingAverageStrategy {
// Parameter settings
shortPeriod: number; // Short-term MA period, e.g., 50
longPeriod: number; // Long-term MA period, e.g., 200
// Trend determination
trendFilter: {
priceAboveMA: boolean; // Price above moving average
shortAboveLong: boolean; // Short-term MA above long-term MA
goldenCross: boolean; // Golden cross occurred
};
// Entry conditions
entryConditions: {
trendConfirmed: boolean; // Trend confirmed
pullbackToMA: boolean; // Pullback to moving average
volumeConfirmation: boolean; // Volume confirmation
};
// Exit conditions
exitConditions: {
deathCross: boolean; // Death cross
priceBelowMA: boolean; // Price breaks below MA
trailingStop: number; // Trailing stop loss
};
}
// Implementation example
function generateSignal(
price: number,
shortMA: number,
longMA: number,
previousShortMA: number,
previousLongMA: number
): Signal {
// Golden Cross
if (shortMA > longMA && previousShortMA <= previousLongMA) {
return { type: 'BUY', strength: 'STRONG', reason: 'Golden Cross' };
}
// Death Cross
if (shortMA < longMA && previousShortMA >= previousLongMA) {
return { type: 'SELL', strength: 'STRONG', reason: 'Death Cross' };
}
// Trend continuation
if (shortMA > longMA) {
return { type: 'HOLD_LONG', strength: 'MODERATE' };
}
return { type: 'HOLD_SHORT', strength: 'MODERATE' };
}
2. ADX (Average Directional Index)
ADX is a trend strength indicator developed by J. Welles Wilder.
#### ADX Interpretation
| ADX Value | Trend Strength | Trading Recommendation |
|:---:|:---|:---|
| < 20 | No trend/Very weak | Wait and see, no trading |
| 20-25 | Weak trend | Trade cautiously |
| 25-40 | Trend exists | Suitable for trend following |
| 40-50 | Strong trend | Actively follow |
| > 50 | Very strong trend | Watch for reversal risk |
#### ADX with DI+ and DI-
DI+ (Positive Directional Indicator): Upward momentum
DI- (Negative Directional Indicator): Downward momentum
Signals:
├── DI+ > DI- and ADX > 25: Uptrend, go long
├── DI- > DI+ and ADX > 25: Downtrend, go short
└── ADX < 20: No trend, wait and see
3. Trend Lines and Channels
#### Drawing Trend Lines
Uptrend Line:
├── Connect two or more lows
├── Third point confirms validity
├── Price above trend line = healthy trend
└── Break below trend line = trend may end
Downtrend Line:
├── Connect two or more highs
├── Third point confirms validity
├── Price below trend line = healthy trend
└── Break above trend line = trend may end
#### Trend Channels
Parallel Channel:
├── Uptrend line (support)
├── Parallel resistance line (connecting highs)
├── Price fluctuates within channel
└── Channel breakout = trend acceleration or reversal
Trend Following Entry/Exit Strategies
Strategy One: MA Crossover System
#### Dual MA System
Entry Conditions (Long):
├── Short-term MA crosses above long-term MA (Golden Cross)
├── ADX > 25 (confirm trend strength)
├── Volume expansion confirmation
└── Optional: Price breaks previous high
Entry Conditions (Short):
├── Short-term MA crosses below long-term MA (Death Cross)
├── ADX > 25
├── Volume expansion confirmation
└── Optional: Price breaks below previous low
Exit Conditions:
├── Reverse crossover occurs
├── Or trailing stop triggered
└── Or fixed profit target reached
#### Triple MA System
MA Combination:
├── Short-term: 10-day EMA
├── Medium-term: 30-day EMA
└── Long-term: 100-day EMA
Entry Conditions (Long):
├── 10-day > 30-day > 100-day (Bullish alignment)
├── Price pulls back to 30-day MA
├── Bullish reversal signal appears
└── Volume confirms
Exit Conditions:
├── 10-day crosses below 30-day
├── Or price breaks below 100-day
└── Or trailing stop loss
Strategy Two: Turtle Trading Rules
#### Original Turtle Rules
Entry (20-day breakout):
├── Price breaks above past 20-day high → Go long
├── Price breaks below past 20-day low → Go short
Entry (55-day breakout):
├── Price breaks above past 55-day high → Go long (stronger signal)
├── Price breaks below past 55-day low → Go short
Position Management (N = ATR20):
├── Unit risk = 1% of account
├── Per unit = 1% / (2 × N)
├── Maximum 4 units
Exit (10-day reverse breakout):
├── Price breaks below past 10-day low → Exit long
├── Price breaks above past 10-day high → Exit short
#### Turtle Rules Code
interface TurtleTrading {
// Parameters
entryPeriod: number; // 20 or 55
exitPeriod: number; // 10
atrPeriod: number; // 20
riskPercent: number; // 0.01 (1%)
// Calculate N (ATR)
calculateN(prices: number[]): number {
const atr = calculateATR(prices, this.atrPeriod);
return atr;
}
// Entry signal
generateEntrySignal(prices: number[]): Signal {
const highestHigh = Math.max(...prices.slice(-this.entryPeriod));
const lowestLow = Math.min(...prices.slice(-this.entryPeriod));
const currentPrice = prices[prices.length - 1];
if (currentPrice > highestHigh) {
return { type: 'BUY', reason: `${this.entryPeriod}-Day High Breakout` };
}
if (currentPrice < lowestLow) {
return { type: 'SELL', reason: `${this.entryPeriod}-Day Low Breakdown` };
}
return { type: 'NONE' };
}
// Position sizing
calculatePositionSize(accountValue: number, N: number): number {
const riskAmount = accountValue * this.riskPercent;
const dollarRiskPerUnit = 2 * N;
const units = riskAmount / dollarRiskPerUnit;
return Math.min(units, 4); // Maximum 4 units
}
}
Strategy Three: Trailing Stop System
#### ATR Trailing Stop
Setting Method:
├── Calculate ATR (14-day)
├── Trailing stop distance = 2-3 × ATR
├── As price rises, stop loss moves up
├── As price falls, stop loss doesn't move (long position)
Example:
Entry price: $50,000
ATR: $1,000
Initial stop: $50,000 - (2 × $1,000) = $48,000
Price rises to $55,000:
New stop: $55,000 - (2 × $1,000) = $53,000
#### MA Trailing Stop
Method:
├── Use 20-day EMA as dynamic stop loss
├── Hold position while price above MA
├── Exit when price breaks below MA
Advantages:
├── Automatic adjustment
├── Gives trend room to develop
└── Simple to execute
Risk Management
Special Risks of Trend Following
| Risk | Description | Mitigation |
|:---|:---|:---|
| False Breakout | Trend doesn't continue after entry | Use ADX filter, wait for confirmation |
| Large Pullback | Callback during trend triggers stop loss | Use trailing stop, widen stop distance |
| Trend Reversal | Profit giveback | Scale out, move stop loss |
| Consolidation Losses | Multiple false signals | Use trend filter, reduce position size |
Capital Management
Core Principles:
├── Single trade risk: 1-2% of account
├── Total exposure: 10-20% of account
├── Diversification: At least 5-10 uncorrelated assets
└── Adding: Pyramid after trend confirmation
Pyramid Adding Rules:
├── Initial entry: 1 unit
├── First add: +0.5 unit (after profit)
├── Second add: +0.5 unit (after more profit)
├── Total position not exceeding 4 units
└── Move stop loss to breakeven after each add
FAQ
Q1: What markets are suitable for trend following?
A: Best for:
- High liquidity markets: Futures, forex, major cryptocurrencies
- Strong trending markets: Commodities, emerging markets
- Long timeframes: Daily, weekly charts
Least suitable:
- Consolidating markets: Will suffer consecutive losses
- Low liquidity markets: Slippage too large
- High-frequency trading: Trends need time to develop
Q2: Why can trend following be profitable with low win rate?
A: Mathematical principle:
Assumptions:
├── Win rate: 40%
├── Average win: $300
├── Average loss: $100
Expected Value = (0.4 × $300) - (0.6 × $100) = $120 - $60 = $60 > 0
Even with only 40% win rate, still profitable long-term!
Trend Following's small losses, big profits characteristic gives it positive expected value over time.
Q3: How to handle consecutive losses during consolidation?
A: Strategies:
- Trend filter: Don't trade when ADX < 20
- Reduce position size: Reduce by 50% during consolidation
- Multi-asset diversification: Some assets consolidating, others may be trending
- Mental preparation: Accept this as part of strategy cost
Q4: What's the difference between trend following and buy-and-hold?
A: Differences:
| Trend Following | Buy and Hold |
|:---|:---|
| Active management | Passive holding |
| Has stop loss mechanism | No stop loss |
| Only holds during trends | Always holds |
| May miss bottoms | Enjoys full upside |
| Avoids major bear markets | Bears bear market drawdowns |
Q5: Can trend following be automated?
A: Very suitable for automation:
- Clear rules, no subjective judgment
- Requires disciplined execution, machines better than humans
- Can monitor multiple assets simultaneously
- 24/7 execution, never miss opportunities
Q6: How to choose timeframes?
A: Recommendations:
- Long-term investors: Weekly, monthly
- Medium-term traders: Daily, 4-hour
- Short-term traders: 1-hour, 15-minute
Principles:
- Longer timeframes = more reliable signals
- Shorter timeframes = more noise
Q7: Is trend following effective in cryptocurrency markets?
A: Very effective:
- Cryptocurrencies have strong trending characteristics
- High volatility creates substantial trend profits
- 24/7 trading, strong trend continuity
Challenges:
- Excessive volatility requires wider stops
- Requires stricter risk control
Q8: How to optimize trend following strategies?
A: Optimization directions:
- Parameter optimization: Find optimal MA combinations
- Trend filtering: Add ADX, volume filters
- Multiple timeframes: Confirm trend on higher timeframe
- Dynamic position sizing: Adjust position based on trend strength
- Machine learning: Identify optimal entry conditions
Related Articles
Same Series Extended Reading
- Breakout Trading Strategy - Entry methods at trend start
- Swing Trading Strategy - Medium-term trend capture
- Advanced Turtle Trading - Complete systematic trading
Cross-Series Recommendations
- Trading Emotion Management - Control psychological pressure from consecutive losses
- Overcoming FOMO - Avoid chasing highs and selling lows
- Risk Management Principles - Control drawdowns
Conclusion: The Wisdom of Going with the Trend
Trend Following teaches us: The market is smarter than us; rather than predicting, follow.
Keys to success:
- Patience: Wait for trend confirmation
- Discipline: Strictly execute the system
- Risk control: Protect capital, let profits run
Remember: Trend Following is not about correct prediction, but about being present when trends emerge and exiting when they end.
Extended Reading:
Author: Sentinel Team
Last Updated: 2026-03-04
Disclaimer: This article is for educational purposes only and does not constitute investment advice.
Want to automate trend following strategies? Sentinel Bot provides multiple trend indicator monitoring and automated trading features.