Moyenne mobile simple (SMA)
Double 7's StrategyStrategy described in the book "Short Term Trading Strategies that Work", written by Larry Connors and Cesar Alvarez.
It is the simplest strategy I know and has only 3 rules:
- Price must be above the arithmetic moving average of 200 periods.
- Buy when the price closes below the closing of the last 7 days.
- Sale when the price closes above the closing of the last 7 days.
Simple as it may seem, this strategy works very well in some stocks and/or graphical times (in some stocks it overcomes many RSI 2 strategies). It was developed for the daily chart and does not usually work well on weekly or monthly charts, but can be used for day trades if the back-test proves to be favorable.
If you want, you can change the input and output rules by setting other values for the input or output period and thus find more positive results for specific stocks.
There is no stop loss because in tests the stop loss usually reduces the gains of the strategy.
Good luck and good trades.
================================
Estrategia descrita no livro "Short Term Trading Strategies that Work", escrito por Larry Connors e Cesar Alvarez.
É a estratégia mais simples que eu conheço e tem apenas 3 regras:
- Preço deve estar acima da média móvel aritmética de 200 períodos.
- Compre quando o preço fechar abaixo do fechamento dos ultimos 7 dias.
- Venda quando o preço fechar acima do fechamento dos ultimos 7 dias.
Por mais simples que pareça, esta estratégia funciona muito bem em alguns papeis e/ou tempos gráficos (em alguns papeis a mesma supera muitas estratégias pelo IFR2). A mesma foi desenvolvida para o gráfico diário e normalmente não funciona muito bem em gráficos semanais ou mensais, mas pode ser utilizado no intraday caso o backtest se mostre favorável.
Caso você queira, é possível alterar a regra de entrada e saída definindo outros valores para o período de entrada ou saída e assim encontrar resultados mais positivos para cada papel.
Não existe stop loss pois nos testes normalmente o stop loss reduz os ganhos da estratégia.
Boa sorte e bons trades.
Pinescript v3 Compatibility Framework (v4 Migration Tool)Pinescript v3 Compatibility Framework (v4 Migration Tool)
This code makes most v3 scripts work in v4 with only a few minor changes below. Place the framework code before the first input statement.
You can totally delete all comments.
Pros:
 - to port to v4 you only need to make a few simple changes, not affecting the core v3 code functionality
Cons:
 - without #include - large redundant code block, but can be reduced as needed
 - no proper syntax highlighting, intellisence for substitute constant names
Make the following changes in v3 script:
1. standard types can't be var names, color_transp can't be in a function, rename in v3 script:
  color() => color.new()
  bool => bool_
  integer => integer_
  float => float_
  string => string_
2. init na requires explicit type declaration
  float a = na
  color col = na
3. persistent var init (optional):
  s = na
  s := nz(s , s) // or s := na(s ) ? 0 : s 
  //  can be replaced with var s
  var s = 0
  s := s + 1
___________________________________________________________
Key features of Pinescript v4 (FYI):
1. optional explicit type declaration/conversion (you still can't cast series to int)
float s
 
2. persistent var modifier
var s
var float s
3. string series - persistent strings now can be used in cond and output to screen dynamically
4. label and line objects 
 - can be dynamically created, deleted, modified using get/set functions, moved before/after the current bar
 - can be in if or a function unlike plot
 - max limit: 50-55 label, and 50-55 line drawing objects in addition to already existing plots - both not affected by max plot outputs 64
 - can only be used in the main chart
 - can serve as the only output function - at least one is required: plot, barcolor, line, label etc.
 - dynamic var values (including strings) can be output to screen as text using label.new and to_string
str = close >= open ? "up" : "down"
label.new(bar_index, high, text=str)
col = close >= open ? color.green : color.red
label.new(bar_index, na, "close = " + tostring(close), color=col, textcolor=color.white, style=label.style_labeldown, yloc=yloc.abovebar)
// create new objects, delete old ones
l = line.new(bar_index, high, bar_index , low , width=4)
line.delete(l )
// free object buffer by deleting old objects first, then create new ones
var l = na
line.delete(l)
l = line.new(bar_index, high, bar_index , low , width=4)
[M10] Quad MA Trend ScalperFour adjustable moving averages set in order to produce buy and sell signals, works best on smaller timeframes from my backtesting, 10M - 30M seems optimal for scalping. 
The idea behind this script is to only enter positions that are following the trend in order to minimise drawdown and decrease risk when using leverage. 
The script will only enter long positions when MA crossover occurs above the Long MA 2. 
The script will exit a long position when MA Short crosses below Long MA 1. 
The script will only enter short positions when MA cross under occurs below the Long MA 2. 
The script will exit a short position when MA Short crosses below Long MA 1.
VWMA/SMA Breakout and Divergence DetectorThis indicator compares four different values : 
-Fast Simple Moving Average(SMA)   
-Fast Volume Weighted Moving Average(VWMA)   
-Slow SMA   
-Slow VWMA   
Comparing SMA's and VWMA's of the same length is a common trading tactic. Since volume is not taken into consideration when calculating Simple Moving Averages, we can gain valuable insights from the difference between the two lines. 
Since volume should be increasing along with an upwards price movement, the VWMA should be greater than the SMA during a volume-supported uptrend. Thus, we can confirm an uptrend if the VWMA remains greater than the SMA. If the VWMA falls under the SMA in the midst of an upwards price movement, however, that indicates bearish divergence. The opposite is true for downtrends. If price is decreasing and volume is decreasing at the same time (as it should), then we can confirm the downtrend. 
 Interpreting the Graph: 
If the slow SMA is greater than the slow VWMA, then the area representing the difference between the two lines is filled in red. If the slow VWMA is greater than the slow SMA, however, the area between the two is filled green. 
If the fast SMA is greater than the fast VWMA, then the area between the two dotted lines is filled in red. On the other hand, the area will be filled green if the fast VWMA is greater than the slow SMA. 
In addition to spotting divergences and confirming trends, the four lines can be used to spot breakouts. Typically, a VWMA crossover will precede the SMA crossover. When the fast VWMA crosses over the slow VWMA and then a SMA crossover follows shortly after, then it is a hint that a bullish trend is beginning to form. 
3-day Death/Golden CrossBased on Crypto Crew University youtube video, "Emergency Update: New Bitcoin GOLDEN Cross Emerges (btc crypto live news market price today 2019 ta" (19 June 2019), comparing 2015 and 2018 bull runs.
Relative Strength Comparison (RSC) Indicator SignalsThis Relative Strength Comparison (RSC) indicator overlays a simple moving average (SMA) of the prior days values and changes color when the RSC crosses above and below that value as an indicator with bearish and bullish signals in comparison to another symbol.
Rate of Change w/ Moving AverageThis is a small spin on the Rate of Change (ROC) indicator where I overlay a simple moving average of the indicator over the prior days.
Multi Time Moving Averageпозволяет выбрать в настройках 2 таймфрейма и 4 МА с разными периодами и отображать выбранные индикаторы на графиках с любым выбранным таймфреймом 
50 & 55 EMA CloudAfter testing thousands of indicators over the years, this simple EMA cloud indicator that I built is still my main weapon. It's always the first one I add to a blank charts and that is not going to change anytime soon.
I find EMAs and MAs are such underrated tools, By observing the price action surrounding these, I can see straight away if it's a good time to get into a trade or not. 
As seen here, I also use the 200MA along with the 50/55EMA cloud to find extra strong support and resistances. If price starts to reject both the cloud and the 200MA at the same time/level, then it's a very good indication the price is going to make a big move in that direction as seen here in this chart.
cbci cu//@version=3
// Constance Brown Composite Index
    // Re-implementation of CBCI based upon LazyBear's version + source text
    // References:
        // 
            // original author: @LazyBear
        // "Technical Analysis for Trading Professionals" by Constance Brown, pg. 369
        
rsi sma/ema cuCustom RSI with SMA 9, EMA 45 and Bull/Bear Control Zones from Krown and Constance Brown.
QuantNomad - MA Strategy - 1 minute - ETHUSDInteresting performance for simple MA strategy on 1m ETHUSD. I used only close price and 15 SMA in it.  
Performance is 55% over 10 days with a drawdown of only 3.5%. 
Percent profitable is only 30% with almost 2k trades. 
For sure this won't work as a standalone strategy, with 2k trades commission and slippage will destroy all your PNL but it can be a pretty good base for a more complicated strategy with good filters. 
And remember: 
Past performance does not guarantee future results.
10/20 MA Cross-Over with Heikin-Ashi Signals by SchobbejakThe 10/20 MA Heikin-Ashi Strategy is the best I know. It's easy, it's elegant, it's effective. 
It's particularly effective in markets that trend on the daily. You may lose some money when markets are choppy, but your loss will be more than compensated when you're aboard during the big moves at the beginning of a trend or after retraces. There's that, and you nearly eliminate the risk of losing your profit in the long run.
The results are good throughout most assets, and at their best when an asset is making new all-time highs.
It uses two simple moving averages: the 10 MA (blue), and the 20 MA (red), together with heikin-ashi candles. Now here's the great thing. This script does not change your regular candles into heikin-ashi ones, which would have been annoying; instead, it subtly prints either a blue dot or a red square around your normal candles, indicating a heikin-ashi change from red to green, or from green to red, respectively. This way, you get both regular and heikin ashi "candles" on your chart. 
Here's how to use it.
Go  LONG  in case of ALL of the below: 
    
 1) A blue dot appeared under the last daily candle (meaning the heikin-ashi is now "green").
 2) The blue MA-line is above the red MA-line.
 3) Price has recently breached the blue MA-line upwards, and is now above. 
 COVER  when one or more of the above is no longer the case. This is very important. You want to keep your profit.
Go  SHORT  in case of ALL of the below:
 1) A red square appeared above the last daily candle (meaning the heikin-ashi is now "red").
 2) The red MA-line is above the blue MA-line.
 3) Price has recently breached the blue MA-line downwards, and is now below. 
Again,  COVER  when one or more of the above is no longer the case. This is what gives you your edge.
It's that easy.
Now, why did I make the signal blue, and not green? Because blue looks much better with red than green does. It's my firm believe one does not become rich using ugly charts. 
Good luck trading. 
--You may tip me using bitcoin: bc1q9pc95v4kxh6rdxl737jg0j02dcxu23n5z78hq9 . Much appreciated!--
MA5-13-50 by biruvyatirimciUmit Uslucan'ın   MA5-13-50 stratejisine göre hareketli ortalamaları çiziyor, MA13 değeri yükselişte ise yeşil inişte ise pembe çiziyor.
* biruvyatirimci
GoldenCross & DeathCrossBNC:BLX 
 Its a simple Golden- and Death-Cross Indicator BNC:BLX 
... it highlights the Crosses and labels them. It also highlights the bar where the cross happend.
  
  
Enjoy and buy me a coffee if you liked it.
ETH: 0x4F27c7eC42b898E0B79fA9a35dC9b585e4c56579






















