Estratégia de acompanhamento da tendência de reversão dupla

Autora:ChaoZhang, Data: 2023-12-13 18:01:53
Tags:

img

Resumo

Esta é uma estratégia de rastreamento de tendências que combina dois sinais de reversão.

Princípio da estratégia

A estratégia consiste em duas sub-estratégias:

  1. 123 Estratégia de reversão

    Use a linha K de 14 dias para julgar sinais de reversão.

    • Sinal de alta: O preço de fechamento caiu nos dois dias anteriores. O preço de fechamento da linha K atual é maior do que o preço de fechamento do dia anterior. O Stochastic Slow de 9 dias é inferior a 50
    • Sinal de baixa: O preço de fechamento subiu nos dois dias anteriores. O preço de fechamento da linha K atual é menor do que o preço de fechamento do dia anterior.
  2. Estratégia do índice de desempenho

    Calcular a percentagem de aumento/diminuição nos últimos 14 dias como indicador.

    • Indice de desempenho > (0), gerar sinal de alta - Índice de desempenho <(0), gerar sinal de baixa

O sinal final é uma combinação de ambos os sinais, ou seja, são necessários sinais de alta/baixa na mesma direção para gerar operações reais de compra/venda.

Isso pode filtrar algum ruído e tornar os sinais mais confiáveis.

Vantagens da estratégia

Este sistema de inversão dupla tem as seguintes vantagens:

  1. Sinais mais fiáveis através da combinação de dois fatores
  2. Pode filtrar eficazmente o ruído do mercado e evitar falsos sinais
  3. 123 padrão é clássico e prático, fácil de julgar e reproduzir
  4. O índice de desempenho pode julgar a direcção da tendência futura
  5. Combinação flexível de parâmetros, pode ser optimizada ainda mais

Riscos da Estratégia

A estratégia apresenta também alguns riscos:

  1. Pode perder as reversões súbitas, não pode captar completamente as tendências
  2. As combinações de dois sinais conduzem a um menor número de sinais, o que pode afectar a rendibilidade
  3. Requer um julgamento coerente, facilmente afectado pelas flutuações individuais das existências
  4. Problemas de definição de parâmetros podem provocar desvios de sinal

Os seguintes aspectos podem ser considerados para otimização:

  1. Ajustar parâmetros como comprimento da linha K, ciclo estocástico etc.
  2. Otimizar a lógica para o julgamento de sinais duplos
  3. Incorporar mais fatores como volume etc.
  4. Adicionar mecanismo de stop loss

Resumo

A estratégia integra julgamentos de reversão dupla para descobrir efetivamente pontos de inflexão de preços. Embora a probabilidade de ocorrência do sinal diminua, a confiabilidade é maior, adequada para capturar tendências de médio e longo prazo.


/*backtest
start: 2023-11-12 00:00:00
end: 2023-12-12 00:00:00
period: 1h
basePeriod: 15m
exchanges: [{"eid":"Futures_Binance","currency":"BTC_USDT"}]
*/

//@version=4
////////////////////////////////////////////////////////////
//  Copyright by HPotter v1.0 15/04/2021
// This is combo strategies for get a cumulative signal. 
//
// First strategy
// This System was created from the Book "How I Tripled My Money In The 
// Futures Market" by Ulf Jensen, Page 183. This is reverse type of strategies.
// The strategy buys at market, if close price is higher than the previous close 
// during 2 days and the meaning of 9-days Stochastic Slow Oscillator is lower than 50. 
// The strategy sells at market, if close price is lower than the previous close price 
// during 2 days and the meaning of 9-days Stochastic Fast Oscillator is higher than 50.
//
// Second strategy
// The Performance indicator or a more familiar term, KPI (key performance indicator), 
// is an industry term that measures the performance. Generally used by organizations, 
// they determine whether the company is successful or not, and the degree of success. 
// It is used on a business’ different levels, to quantify the progress or regress of a 
// department, of an employee or even of a certain program or activity. For a manager 
// it’s extremely important to determine which KPIs are relevant for his activity, and 
// what is important almost always depends on which department he wants to measure the 
// performance for.  So the indicators set for the financial team will be different than 
// the ones for the marketing department and so on.
//
// Similar to the KPIs companies use to measure their performance on a monthly, quarterly 
// and yearly basis, the stock market makes use of a performance indicator as well, although 
// on the market, the performance index is calculated on a daily basis. The stock market 
// performance indicates the direction of the stock market as a whole, or of a specific stock 
// and gives traders an overall impression over the future security prices, helping them decide 
// the best move. A change in the indicator gives information about future trends a stock could 
// adopt, information about a sector or even on the whole economy. The financial sector is the 
// most relevant department of the economy and the indicators provide information on its overall 
// health, so when a stock price moves upwards, the indicators are a signal of good news. On the 
// other hand, if the price of a particular stock decreases, that is because bad news about its 
// performance are out and they generate negative signals to the market, causing the price to go 
// downwards. One could state that the movement of the security prices and consequently, the movement 
// of the indicators are an overall evaluation of a country’s economic trend.
//
// WARNING:
// - For purpose educate only
// - This script to change bars colors.
////////////////////////////////////////////////////////////
Reversal123(Length, KSmoothing, DLength, Level) =>
    vFast = sma(stoch(close, high, low, Length), KSmoothing) 
    vSlow = sma(vFast, DLength)
    pos = 0.0
    pos := iff(close[2] < close[1] and close > close[1] and vFast < vSlow and vFast > Level, 1,
	         iff(close[2] > close[1] and close < close[1] and vFast > vSlow and vFast < Level, -1, nz(pos[1], 0))) 
	pos


PI(Period) =>
    pos = 0.0
    xKPI = (close - close[Period]) * 100 / close[Period]
    pos := iff(xKPI > 0, 1,
              iff(xKPI < 0, -1, nz(pos[1], 0))) 
    pos

strategy(title="Combo Backtest 123 Reversal & Perfomance index", shorttitle="Combo", overlay = true)
line1 = input(true, "---- 123 Reversal ----")
Length = input(14, minval=1)
KSmoothing = input(1, minval=1)
DLength = input(3, minval=1)
Level = input(50, minval=1)
//-------------------------
line2 = input(true, "---- Perfomance index ----")
Period = input(14, minval=1)
reverse = input(false, title="Trade reverse")
posReversal123 = Reversal123(Length, KSmoothing, DLength, Level)
posPI = PI(Period)
pos = iff(posReversal123 == 1 and posPI == 1 , 1,
	   iff(posReversal123 == -1 and posPI == -1, -1, 0)) 
possig = iff(reverse and pos == 1, -1,
          iff(reverse and pos == -1 , 1, pos))	   
if (possig == 1 ) 
    strategy.entry("Long", strategy.long)
if (possig == -1 )
    strategy.entry("Short", strategy.short)	 
if (possig == 0) 
    strategy.close_all()
barcolor(possig == -1 ? #b50404: possig == 1 ? #079605 : #0536b3 )

Mais.