Daily DCA Strategy with Touching EMAs

Author: ChaoZhang, Date: 2024-01-16 15:30:17
Tags:

img

Overview

This Pine script strategy implements a daily dollar-cost averaging approach on the TradingView platform, incorporating EMA touch signals to determine entry points. It follows the dollar-cost averaging methodology to make fixed-amount investments every day, spreading purchases over time to mitigate risk. The EMA crossovers then serve as the specific trigger for entries.

Strategy Logic

The strategy has the following key features:

  1. Daily Dollar-Cost Averaging

    • Fixed daily investment regardless of market ups and downs
    • Long-term batch investments to reduce single-trade risk
  2. EMAs for Entry Signals

    • Buy signal triggered when closing price crosses above EMA 5, 10, 20 etc.
    • EMA lines serve as support to avoid short-term pullbacks
  3. Dynamic Stop Loss

    • Sell all positions if closing price falls below 20-day SMA
    • Avoid further losses
  4. Trade Count Limit

    • Caps max trades at 300 to control position sizing
    • Prevents over-investment beyond asset capacity

Specifically, every day the strategy invests a fixed amount and calculates the shares to buy based on the closing price. If the closing price crosses above any of the 5-, 10-, 20-day EMA etc., a buy signal is triggered. Once the accumulated trade count hits the 300 limit, no further buys will occur. Additionally, if the price closes below the 20-day SMA or reaches the preset exit date, all positions are cleared. The script also plots the EMAs on the price chart for visual analysis.

Advantage Analysis

The advantages of this strategy include:

  1. Risk Diversification

    • Small fixed-amount daily investments regardless of market trends
    • Avoids chasing highs
  2. EMA Combination Avoids Pullbacks

    • EMA crossovers prevent buying into pullback periods
    • Continued buying during pullbacks diversifies risk
  3. Dynamic Stop Loss Controls Losses

    • Stop loss allows timely exits
    • Prevents heavy losses
  4. Trade Limit Controls Risks

    • Max position size is preset to prevent over-investment
    • Keeps investment within asset capacity
  5. Intuitive EMA Visualization

    • EMAs plotted on price chart
    • Allows easy monitoring by operator
  6. Highly Customizable

    • Custom inputs for investment amount, EMA periods, stops etc.
    • Adjusts based on personal risk preferences

Risk Analysis

The strategy also carries some risks to note:

  1. Systemic Risks Still Exist

    • Black swan events can lead to heavy losses
    • Diversification only reduces but don’t eliminate risks
  2. Fixed Investment Amount

    • Fixed daily investments could miss out on upside if prices surge
    • Dynamic amount adjustment could help
  3. EMAs Cannot React to Extreme Moves

    • EMAs have slower reaction to sudden events and fails to stop loss in time
    • Combining with KD, BOLL may help identify extremes
  4. Trade Limit Caps Profit Potential

    • Upper limit on trades caps possible gains
    • Need to balance risks and rewards
  5. Stop Loss Placement Requires Care

    • Stops too close tend to get taken out prematurely while stops too loose fails to protect in time
    • Extensive testing needed to find the right balance

Future Enhancements

Further optimizations:

  1. Dynamic Daily Investment Amount

    • Base daily investments on indicators
    • Increase when bullish, decrease when bearish
  2. Additional Entry Signals

    • Complement EMA with other indicators like KD, BOLL
    • Improve identification of extreme moves
  3. Exponential Moving Averages

    • EMAs react slowly to sudden events, DEMA, TEMA may help
    • Faster capture of new trends
  4. Dynamic Position Limit

    • Increase limit based on strategy profitability
    • Allows higher exposure at fair valuations
  5. Trailing Stop Loss

    • Current strategy market sells all, trailing stops could help avoid gaps down
    • Reduce risk of stops being “run”

Conclusion

In summary, this EMA-combined daily DCA strategy realizes the concept of long-term periodic investments, spreading risks across multiple small entries compared to large one-time purchases. The EMAs help avoid short-term pullback risks to a certain extent, while the stop loss controls max loss. Still, black swan risks and the limitations of fixed investment size need to be kept in mind. These aspects provide future enhancement directions through parameter tuning and indicator combinations for building efficient yet stable quant strategies.


/*backtest
start: 2024-01-08 00:00:00
end: 2024-01-15 00:00:00
period: 3m
basePeriod: 1m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

//@version=4
strategy("Daily DCA Strategy with Touching EMAs", overlay=true, pyramiding=10000)

// Customizable Parameters
daily_investment = input(50000, title="Daily Investment")
start_year = input(2022, title="Start Year")
start_month = input(1, title="Start Month")
start_day = input(1, title="Start Day")
end_year = input(2023, title="End Year")
end_month = input(12, title="End Month")
end_day = input(1, title="End Day")
trade_count_limit = input(10000, title="Pyramiding Limit")
enable_sell = input(true, title="Enable Sell")

start_date = timestamp(start_year, start_month, start_day)
var int trade_count = 0

// Calculate the number of shares to buy based on the current closing price
shares_to_buy = daily_investment / close

// Check if a new day has started and after the start date
isNewDay = dayofmonth != dayofmonth[1] and time >= start_date

// Buy conditions based on EMA crossovers
ema5_cross_above = crossover(close, ema(close, 5))
ema10_cross_above = crossover(close, ema(close, 10))
ema20_cross_above = crossover(close, ema(close, 20))
ema50_cross_above = crossover(close, ema(close, 50))
ema100_cross_above = crossover(close, ema(close, 100))
ema200_cross_above = crossover(close, ema(close, 200))

if isNewDay and (ema5_cross_above or ema10_cross_above or ema20_cross_above or ema50_cross_above or ema100_cross_above or ema200_cross_above) and trade_count < trade_count_limit
    strategy.entry("Buy", strategy.long, qty=shares_to_buy)
    trade_count := trade_count + 1

// Dynamic sell conditions (optional)
sell_condition =  true

if enable_sell and sell_condition
    strategy.close_all()

// EMA Ribbon for visualization
plot(ema(close, 5), color=color.red, title="EMA 5")
plot(ema(close, 10), color=color.orange, title="EMA 10")
plot(ema(close, 20), color=color.yellow, title="EMA 20")
plot(ema(close, 50), color=color.green, title="EMA 50")
plot(ema(close, 100), color=color.blue, title="EMA 100")
plot(ema(close, 200), color=color.purple, title="EMA 200")


More