The LMACD on Bitcoin's chart (Logarithmic MACD)The LMACD indicator looks to be even more reliable on Bitcoin's logarithmic 1D chart. You can copy the script of the indicator here:
//@version=3
study(title="Logarithmic Moving Average Convergence Divergence", shorttitle="LMACD")
// Getting inputs
fast_length = input(title="Fast Length", type=integer, defval=12)
slow_length = input(title="Slow Length", type=integer, defval=26)
src = input(title="Source", type=source, defval=close)
signal_length = input(title="Signal Smoothing", type=integer, minval = 1, maxval = 50, defval = 9)
sma_source = input(title="Simple MA(Oscillator)", type=bool, defval=false)
sma_signal = input(title="Simple MA(Signal Line)", type=bool, defval=false)
// Plot colors
col_grow_above = #26A69A
col_grow_below = #FFCDD2
col_fall_above = #B2DFDB
col_fall_below = #EF5350
col_macd = #0094ff
col_signal = #ff6a00
// Calculating
fast_ma = sma_source ? sma(src, fast_length) : ema(src, fast_length)
slow_ma = sma_source ? sma(src, slow_length) : ema(src, slow_length)
lmacd = log(fast_ma) - log(slow_ma)
signal = sma_signal ? sma(lmacd, signal_length) : ema(lmacd, signal_length)
hist = lmacd - signal
plot(hist, title="Histogram", style=columns, color=(hist>=0 ? (hist < hist ? col_grow_above : col_fall_above) : (hist < hist ? col_grow_below : col_fall_below) ), transp=0 )
plot(lmacd, title="LMACD", color=col_macd, transp=0)
plot(signal, title="Signal", color=col_signal, transp=0)
M-oscillator
Lazy bear RSI S/R plotting tip In this example the 1 hour is above and 15 min below.
On the 1 hour chart the RSI support and resistance plotting tool is activated. The numeric settings are out of the box. The only change here is the color of the S/R lies and candle illumination.
Once the indicator is activated i chose support and resistance levels that were closer to being in play and superimposed horizontal rays on the selected areas.
You would leave those in place and the drop down to your smaller time frame where you will now have kep support or resistance price level marked. Now you can analyze the volume activity off of these levels based on the higher time frame.
Useful for volume analysis/supply and demand methods. (VSA, Wyckoff, Faders).
The Lazy bear S/R suite contains different variations based on various oscillators and volume. Basically it paints overbought and oversold regions directly on your chart. I cant find any formal instruction on this suite and have been trying to make sense of it on my own. Please add to this if you are more schooled in this are and if you have any questions please ask.
Good Luck!
“Patience is key to success not speed. Time is a cunning speculators best friend if he uses it right”
Jesse Livermore
Sources of education:
Tom Williams Volume spread analysis VSA/ Master the Markets
Richard Wyckoff
Pete Faders VSA*
Read the ticker dot com
Dee Nixon
BTC trading challenge price action/volume techniques
Good luck
Renko Dynamic Index and Zones - Video 3Continuing on trade ideas from video 2 for Renko Dynamic Index and Renko Dynamic Index Zones using a few simple rules.
Other indicators powered by the Renko Engine :
Renko RSI
Renko Trend Momentum
Renko Weis/Ord Wave Volume
Renko MACD and Renko MACD Overlay
Strategies:
RSI-RENKO DIVINE™ Strategy
Renko Dynamic Index and Zones - Video 2I start getting into how I trade the Renko Dynamic Index and Renko Dynamic Index Zones using a few simple rules. I introduce some new coloring schemes and trade direction discovery algorithms.
Other indicators powered by the Renko Engine :
Renko RSI
Renko Trend Momentum
Renko Weis/Ord Wave Volume
Renko MACD and Renko MACD Overlay
Strategies:
RSI-RENKO DIVINE™ Strategy
A More Efficient Calculation Of The Relative Strength IndexIntroduction
I explained in my post on indicators settings how computation time might affect your strategy. Therefore efficiency is an important factor that must be taken into account when making an indicator. If i'am known for something on tradingview its certainly not from making huge codes nor fancy plots, but for my short and efficient estimations/indicators, the first estimation i made being the least squares moving average using the rolling z-score method, then came the rolling correlation, and finally the recursive bands that allow to make extremely efficient and smooth extremities.
Today i propose a more efficient version of the relative strength index, one of the most popular technical indicators of all times. This post will also briefly introduce the concept of system linearity/additive superposition.
Breaking Down The Relative Strength Index
The relative strength index (rsi) is a technical indicator that is classified as a momentum oscillator. This technical indicator allow the user to know when an asset is overvalued and thus interesting to sell, or under evaluated, thus interesting to buy. However its many properties, such as constant scale (0,100) and stationarity allowed him to find multiple uses.
The calculation of the relative strength index take into account the direction of the price changes, its pretty straightforward. First we calculate the average price absolute changes based on their sign :
UP = close - previous close if close > previous close else 0
DN = previous close - close if close < previous close else 0
Then the relative strength factor is calculated :
RS = RMA(UP,P)/RMA(DN,P)
Where RMA is the Wilder moving average of period P . The relative strength index is then calculated as follows :
RSI = 100 - 100/(1 + RS)
As a reminder, the Wilder moving average is an exponential filter with the form :
y(t) = a*x+(1-a)*y(t-1) where a = 1/length . The smoothing constant being equal to 1/length allow to get a smoother result than the exponential moving average who use a smoothing constant of 2/(length+1).
Simple Efficient Changes
As we can see the calculation is not that complicated, the use of an exponential filter make the indicator extremely efficient. However there is room for improvement. First we can skip the if else or any conditional operator by using the max function.
change = close - previous close
UP = max(change,0)
DN = max(change*-1,0)
This is easy to understand, when the closing price is greater than the previous one the change will be positive, therefore the maximum value between the change and 0 will be the change since change > 0 , values of change lower than 0 mean that the closing price is lower than the previous one, in this case max(change,0) = 0 .
For Dn we do the same except that we reverse the sign of the change, this allow us to get a positive results when the closing price is lower than the previous one, then we reuse the trick with max , and we therefore get the positive price change during a downward price change.
Then come the calculation of the relative strength index : 100 - 100/(1 + RS) . We can simplify it easily, first lets forget about the scale of (0,100) and focus on a scale of (0,1), a simple scaling solution is done using : a/(a+b) , where (a,b) > 0 , we then are sure to get a value in a scale of (0,1), because a+b >= a . We have two elements, UP and DN , we only need to apply the Wilder Moving Average, and we get :
RMA(UP,P)/(RMA(UP,P) + RMA(DN,P))
In order to scale it in a range of (0,100) we can simply use :
100*RMA(UP,P)/(RMA(UP,P) + RMA(DN,P))
= 100*RMA(max(change,0),P)/(RMA(max(change,0),P) + RMA(max(change*-1,0),P))
And "voila"
Superposition Principle and Linear Filters
A function is said to be linear if : f(a + b) = f(a) + f(b) . If you have studied signal processing a little bit, you must have encountered the term "Linear Filter", its just the same, simply put, a filter is said to be linear if :
filter(a+b) = filter(a) + filter(b)
Simple right ? Lot of filters are linear, the simple moving average is, the wma, lsma, ema...etc. One of most famous non linear filters is the median filter, therefore :
median(a+b) ≠ median(a) + median(b)
When a filter is linear we say that he satisfies the superposition principle. So how can this help us ? Well lets see back our formula :
100*RMA(UP,P)/(RMA(UP,P) + RMA(DN,P))
We use the wilder moving average 3 times, however we can take advantage of the superposition principle by using instead :
100*RMA(UP,P)/RMA(UP + DN,P)
Reducing the number of filters used is always great, even if they recursion.
Final Touch
Thanks to the superposition principle we where able to have RMA(UP + DN,P) , which allow us to only average UP and DN togethers instead of separately, however we can see something odd. We have UP + DN , but UP and DN are only the positive changes of their associated price sign, therefore :
UP + DN = abs(change)
Lets use pinescript, we end up with the following estimation :
a = change(close)
rsi = 100*rma(max(a,0),length)/rma(abs(a),length)
compared to a basic calculation :
up = max(x - x , 0)
dn = max(x - x, 0)
rs = rma(up, length) / rma(dn, length)
rsi = 100 - 100 / (1 + rs)
Here is the difference between our estimate and the rsi function of both length = 14 :
with an average value of 0.000000..., those are certainly due to rounding errors.
In a chart we can see that the difference is not significant.
In our orange our estimate, in blue the classic rsi of both length = 14.
Conclusion
In this post i proposed a simplification of the relative strength index indicator calculation. I introduced the concept of linearity, this is a must have when we have to think efficiently. I also highlighted simple tricks using the max function and some basic calculus related to rescaling. I had a lot of fun while simplifying the relative strength index, its an indicator everyone use. I hope this post was enjoyable to read, with the hope that it was useful to you. If this calculation was already proposed please pm me the reference.
You can check my last paper about this calculation if you want more details, the link to my papers is in the signature. Thanks for reading !
Profitable RSI optimizes 3 parameters!Well, it's just a small public announcement.
I went to this for a long time and now it has become possible. Profitable RSI now handles 3 parameters of the standard RSI indicator to find the best tuple of settings. So, additionally to period setting, the optimizer takes under consideration different Overbought (from 60 to 70 ) and Oversold levels (from 30 to 40 ) for each RSI period.
Four main conclusions from my research (if you gonna trade with RSI):
The OB/OS levels are not necessary to be the standard 70/30 ones. With all my respect to J. Welles Wilder, but those bounds cannot be considered optimal.
The OB/OS levels can be asymmetric. So OB can be 65 while OS is 39. Not 70/30, not 60/40 and not 75/25. Asymmetric ones.
There is no efficient trading with period setting higher than 50.
We can make a feast even from the old indicator
And the last thing I wanted to add - let's not live in the old paradigms. The world is changing, trading is changing and we must change too. Don't be afraid to experiment with something new for you.
The tool I talked about, the Profitable RSI, is here
Good luck, Good health, God bless you
4H BTC Waves+ Signal charting, full blindFully blind signal charting followup for Waves+, BTCUSD 4h.
All horizontal lines/signals were plotted with the candlestick chart hidden and not visible. Additionally, this time, all directional trades and exits were determined with the chart hidden.
Additional signal explanation and rationale is detailed in yellow text, annotated on the chart/indicators.
8/10 Trades closed in profit (green checkmark). 2 Trades marked with red X were below 2% profit margin, and are considered a loss unless high leverage is used.
Setup/configuration:
Initial setup with Waves+, DOSC (Derivative Oscillator) with signal line disabled. 1-2 bar delay on signals to provide accurate/realistic demonstration of entries/exits (on bar close).
Waves+ has the LSMA line enabled (dark blue).
Waves+ is a hybrid wavetrend fibbonaci oscillator.
Waves+ components:
Light blue line = Waves line
Dark blue line = LSMA line
Red line = Mmenosyne follower (fib line with medium speed)
Green line = Mmenosyne base (fib line with slow speed)
Shaded yellow zone = Explosion Zone warning (Ehler's Market Thermometer)
Red/green center dots = TTM Squeeze Loose Fire(red), TTM Squeeze Strict Fire (green)
Lower dotted line = 38.2 fib line
Upper dotted line = 61.8 fib line
Lower dashed line = 25 wavetrend limit
Upper dashed line = 75 wavetrend limit
Blue 1/2 height block = suggested TP from short/drop incoming 1-2 bars
Orange 1/2 height block = suggested TP from long
Chart markup:
solid green = buy/long signal
solid red = sell/short signal
dashed red = early sell/short signal
dashed green = early buy/long signal
dashed orange = suggested exit from long signal
dashed blue = suggested exit from short signal
Trades closed in profit/loss, no stops, marked up on chart:
Trade closed in profit = green checkmark
Trade closed at a loss = red X.
Trades that are less than 2% in profit will be considered a loss for scalping unless leverage is used.
Incremental for this blind signal test will be documented below/updated as part of the trade idea/post.
Release: [AU] Waves+Plus version of Waves with components from both Waves Advanced and Mnemosyne. Essentially, Waves+ is highly configurable hybrid wavetrend oscillator and Fibonacci oscillator.
Pictured to the left are the various indicators that represent incremental steps/advancements toward the development and eventual refinement of a hybrid wavetrend fib oscillator.
Waves+ is available as part of the AU indicator set - contact for trial availability and pricing.
Testing performance of Cyber Ensemble Strategy on a model Stock..with the Squeeze Test insensitivity increased to 40.
Performs well even with 0.15% commission.
For best results with my strategy scripts, the parameters needs to be optimized and back tested for a particular chart and timeframe.
Default settings were optimized for Bitcoin (BTC) on the 6hr chart (but appeared to perform well at selected lower timeframes, including the 30mins timeframe).
Cyber Ensemble Strategy -- Base on a complex interplay of different conventional indicators, and an assortment of my own developed filtering (prune and boost) algorithms.
Cyber Ensemble Alerts -- My attempt to try replicate my strategy script as a study, that generates Buy/Sell Alerts (including stop-limit strategic buys/sells) to allow autotrading on exchanges that can execute trades base on TV alerts. This project is a work-in-progress.
Cyber Momentum Strategy -- This script is based on my pSAR derived momentum oscillators set (PRISM) that I personally rely on a lot for my own trades.
The "Alerts" version of this will be developed once Cyber Ensemble Alerts have been perfected.
PRISM -- pSAR derived oscillator and its own RSI/StochRSI, as well as Momentum/Acceleration/Jerk oscillators.
Quick guide on three buy/sell position suggestion scripts.+ Cyber Ensemble Buy/Sell positions signaling is derived from an optimized scoring of a large number of conventional indicators. (Blue/Purple plus Background HeatMap)
+ FG-Divergence is based on my own modified version a MACD style oscillator, with its own accompanying Momentum and Acceleration oscillator. (Light Green/Red)
+ PRISM Signals is based on PRISM, a pSAR derived oscillator coupled with its Momentum/Acceleration/Jerk Oscillator as well as pSAR based RSI and StochRSI. (Bright Green/Red)
—
For best results, users can tweak the parameters and enable/disable specific tests and scoring Thresholds for a specific chart and timeframe, and checking how well they perform wrt historical trends. Timeframe specific presets will be added in the future when I have more time. Please do feel free to play around with the parameters and share them. If they are good, they may be added as a preset in future updates with you credited. These scripts are freshly made, and for now, my focus is to slowly refactor and improve on the code, and tidying up the ordering of the inputs to make them easier for users to navigate and understand what each of them do. In the future, once things are sufficiently improved, I aim to include alert features and release a proper “strategy version” as well, and I may post up a clearer user guide for each one of them.
[Quick Guide] PRISM Signals & PDF indicators.
The PRISM Signals appears to work well especially at lower time-frames (even down to 5 min candles).
The key is to maximizing true-positives is to carefully optimize the input parameters and scoring weights and detection thresholds for a specific given chart and timeframe.
See also the 5 mins chart:
Also shown here is the PDF script, which provides: dynamic Fib levels, pSAR indicator, as well as 2 levels standard deviation bands (disabled here).
The thickest green/red limes are the local-top/bottom lines. Adjust the Fib Input Range accordingly to ensure that the local highs/lows are accurately captured.
The 61.8% levels are the thicker blue lines, and the purple lines are additional levels derived base on the mathematical conjugation between Fib levels.
Again, it is highly recommended to carefully check/optimize the input parameters for a given chart/timeframe against historical trends before proceeding to use it.
This script also provides consecutive higher/lower-highs/lows detection, which is disabled here.
Various features of these scripts can be manually Enabled/Disabled by the users to keep the chart neat.
Even though these scripts are constructed from a set of indicators, it is still highly advised to be used in conjunction with other analysis such as: trendlines, volume, and other indicators, etc., as well as analyzing and comparing with higher/lower timeframes, to help filter out or identify possible risk of false-positives to maximize your success rate.
==========================================================
Indicators used:
PRISM Signals (Color and Stdev bands disabled here) -- Algorithm to generate scoring-based bullish/bearish signals derived from the PRISM oscillators set.
PDF {pSAR /w HiLo Trends + Fib Retrace/Extension Levels} -- Parabolic SAR /w HighLow Trends Indicator/Bar-color-marking + Dynamic Fib Retrace and Extension Level.
Ichimoku Cloud {Cybernetwork} -- Ichimoku Cloud with modified parameters.
Related Indicator:
PRISM Oscillator -- pSAR based oscillator, with RSI/StochRSI as well as Momentum/Acceleration/Jerk indicators
==========================================================
~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~
Note:
In no way is this intended as a financial/investment/trading advice. You are responsible for your own investment decisions and trades.
Please exercise your own judgement for your own trades base on your own risk-aversion level and goals as an investor or a trader. The use of OTHER indicators and analysis in conjunction (tailored to your own style of investing/trading) will help improve confidence of your analysis, for you to determine your own trade decisions.
~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~ * ~
Please check out my other indicators sets and series, e.g.
LIVIDITIUM (dynamic levels),
AEONDRIFT (multi-levels standard deviation bands),
FUSIONGAPS (MA based oscillators),
MAJESTIC (Momentum/Acceleration/Jerk Oscillators),
and more to come.
Constructive feedback and suggestions are welcome.
If you like any of my set of indicators, and it has benefited you in some ways, please consider tipping a little to my HRT fund. =D
cybernetwork @ EOS
37DzRVwodp5UZBYjCKvVoZ5bDdDqhr7798 @ BTC
MPr8Zhmpsx2uh3F5R4WD98MRJJpwuLBhA3 @ LTC
1Je6c1vvSCW7V2vA6RYDt6CEvqGYgT44F4 @ BCH
AS259bXGthuj4VZ1QPzD39W3ut4fQV5giC @ NEO
rDonew8fRDkZFv7dZYe5w3L1vJSE51zFAx @ Ripple XRP
0xc0161d27201914FC0bAe5e350a193c8658fc4742 @ ETH
GAX6UDAJ52OGZW4FVVG3WLGIOJLGG2C7CTO5ZDUK2P6M6QMYBJMSJTDL @ Stellar XLM
xrb_16s8cj8eoangfa96shsnkir3wctdzy76ajui4zexek6xmqssweu85rdjxrt4 @ Nano
~ JuniAiko
(=^~^=)v~
A Renko Strategy for Trading - Part 9This is intended more as educational material on a strategy for using renko charts. To begin with, I'll be using USOil in the examples but will include other markets as I continue through the series. The material is not intended to prescribe or recommend actual trades as the decision to place trades is the responsibility of each individual who trades as they assume all risks for their own positions and accounts.
Chart setup :
(Part 1)
Double Exponential Moving Average (DEMA) 12 black line
Double Exponential Moving Average (DEMA) 20 red line
Parabolic SAR (PSAR) 0.09/0.09/.23 blue circles
Simple Moving Average (SA) 20 blue line
(Part 2)
Stochastics 5, 3, 3 with boundaries 80/20 dark blue/light blue
Stochastics 50, 3, 3 with boundaries 55/45 red
Overlay these two on one indicator. Refer to 'Part 2' as to how to do this
(Part 3)
True Strength Indicator (TSI) 14/4/4 dark blue/ red
Directional Movement Indicator DMI 14/14 ADX-dark green, +DI-dark blue, -DI-red
Renko Chart Settings
Crude Oil (TVC:USOil): renko/traditional/blksize .05/.10/.25
Natural Gas (ngas): renko/traditional/blksize .005/.010/.025
Soybeans/Wheat/Corn (soybnusd/wheatusd/cornusd): can use the ngas setup
S&P 500 (spx500usd): renko/traditional/blksize 2.5/5.0/12.5
Euros (EURUSD): renko/traditional/blksize .0005/.0010/.0025
A Renko Strategy for Trading - Part 8This is intended more as educational material on a strategy for using renko charts. To begin with, I'll be using USOil in the examples but will include other markets as I continue through the series. The material is not intended to prescribe or recommend actual trades as the decision to place trades is the responsibility of each individual who trades as they assume all risks for their own positions and accounts.
www.investopedia.com
Chart setup :
(Part 1)
Double Exponential Moving Average (DEMA) 12 black line
Double Exponential Moving Average (DEMA) 20 red line
Parabolic SAR (PSAR) 0.09/0.09/.23 blue circles
Simple Moving Average (SA) 20 blue line
(Part 2)
Stochastics 5, 3, 3 with boundaries 80/20 dark blue/light blue
Stochastics 50, 3, 3 with boundaries 55/45 red
Overlay these two on one indicator. Refer to 'Part 2' as to how to do this
(Part 3)
True Strength Indicator (TSI) 14/4/4 dark blue/ red
Directional Movement Indicator DMI 14/14 ADX-dark green, +DI-dark blue, -DI-red
Renko Chart Settings
Crude Oil (TVC:USOil): renko/traditional/blksize .05/.10/.25
Natural Gas (ngas): renko/traditional/blksize .005/.010/.025
Soybeans/Wheat/Corn (soybnusd/wheatusd/cornusd): can use the ngas setup
S&P 500 (spx500usd): renko/traditional/blksize 2.5/5.0/12.5
Euros (EURUSD): renko/traditional/blksize .0005/.0010/.0025
How to use my FG oscillator in conjunction with DFG oscillatorLooks like BTCUSD still have a little bit further down to go, but is winding up for a next significant pump.
DEMO of the use of my FUSIONGAPS (FG) and DIFFERENTIAL FUSIONGAPS (DFG) scripts, with my LIVIDITIUM indicators set.
Not a financial/trading/investment advice. Exercise your own judgement and take responsibility for your own trades. ;)
See also:
If you like this set of indicators, and it has benefited you in some ways, please consider tipping a little to my HRT fund. =D
cybernetwork @ EOS
37DzRVwodp5UZBYjCKvVoZ5bDdDqhr7798 @ BTC
MPr8Zhmpsx2uh3F5R4WD98MRJJpwuLBhA3 @ LTC
1Je6c1vvSCW7V2vA6RYDt6CEvqGYgT44F4 @ BCH
AS259bXGthuj4VZ1QPzD39W3ut4fQV5giC @ NEO
rDonew8fRDkZFv7dZYe5w3L1vJSE51zFAx @ Ripple XRP
0xc0161d27201914FC0bAe5e350a193c8658fc4742 @ ETH
GAX6UDAJ52OGZW4FVVG3WLGIOJLGG2C7CTO5ZDUK2P6M6QMYBJMSJTDL @ Stellar XLM
xrb_16s8cj8eoangfa96shsnkir3wctdzy76ajui4zexek6xmqssweu85rdjxrt4 @ Nano
~JuniAiko
(=^~^=)v~
Bull/Bear cycle indication: Using the FUSIONGAPS oscillatorFUSIONGAPS (FG):
DIFFERENTIAL FUSIONGAPS (DFG):
Currently showing the BTCUSD (1M) chart, with only the 50/15 DMA FG oscillator shown.
The y-axis for the FG and DFG charts are both set to log-scale simply to allow comparison with historical behavior here.
Trading Divergences - An Alternate View for New TradersTrading divergences is a very common technical analysis strategy, but it comes with one big problem: the most common divergences (not hidden) trade against the trend. This means that new traders can often get into trouble by constantly looking for, and trading, against a dominant trend.
Here's an idea to help you become more profitable over the long-term: identify divergences on your chosen momentum indicator, but only trade on trend continuation signals. I'm not saying you need to do this forever, as once you're experienced you can trade both pullbacks and continuations - but doing so requires multiple layers of confirmation, and a lot of knowledge/planning/experience.
By trading trend continuation signals after divergences, you're stacking the odds in your favour by going with the dominant trend. You're also training your eye to see divergences, and seeing how the markets react to divergences. For new traders this can be a valuable lesson in the power of momentum in financial markets.
So, what are trend continuation signals? It depends on your chosen momentum indicator, so I can only provide general ideas; you need to adapt things according to what you're using. My chart contains a custom momentum indicator, loosely based on the RSI. However, it's far smoother than the RSI, so I can reliably trade precise signals (e.g. for me, a cross of 0). On the RSI, you may choose something a bit further down the scale, for example, a cross below Oversold (20/30). If you're using a Stochastic indicator, you may trade a cross below Overbought (70/80). If you don't understand why I'm suggesting you trade signals at the opposite end of the scale for RSI and Stochastic, let me know.
Hopefully this all makes sense, and remember that it's just an idea if you're a new trader and struggling to make good trades.
Let me know if you have any queries.
DD
How to: "Auto-Trendline Strategy"RULES: -----------------Auto-Trendline Strategy ------------------------
For LONGS:
1- 3 Green squares on the Trend meter (Oscillators)
2- Green Trend line price Break
3 - Price above 10 EMA
4- Watch for support/resistance Gap in between.
5- Open 1:1 Risk reward ratio Long based on the largest wick of last 8 candles.
For SHORTS:
1- 3 Red squares on the Trend meter (Oscillators)
2- Red Trend line price Break
3 - Price below 10 EMA
4- Watch for support/resistance Gap in between.
5- Open 1:1 Risk reward ratio short based on the largest wick of last 8 candles.
In our case rule 1,2 and 3 are coded in the triangles so you only need 2 indicators (Auto-trendline strategy) (Support/Resistance zones)
You only need to follow rule 4 and 5.
DO NOT WAIT FOR FULL TP, THIS IS A SCALPING STRATEGY DONT GET GREEDY
when alt season begins this strategy is gonna be golden =) enjoy
#DeMARK #Sequential Tutorial 1Note:
This tutorial is based on the comments made in Jason Perl's book DeMARK Indicators.
I strongly recommend you to read this book if you want more in-depth knowledge.
I publish this tutorial for educational purposes only
TD Setup
TD Setup is the first component of TD Sequential. It determines whether a market is likely to be confined to a trading range or starting a directional trend.
TD Setup works in either direction: It consists of a nine consecutive closes; each one than the corresponding close four bars earlier.
In the TD+ Enhanced Sequential indicator, TD Setup is represented by numbers from 1 to 9.
1. Bullish case (TD Buy Setup)
# Definition:
Step1: Bearish TD Price Flip.
The prerequisite for a TD Buy Setup is a Bearish TD Price Flip, which indicates a switch from positive to negative momentum.
TD Price Flip is bar 1 (Red) out of 9.
Step2: TD Buy Setup
After a bearish TD Price Flip, there must be nine consecutive closes; each one less than the corresponding close four bars earlier.
# TD Buy Setup “Perfection”:
The low of bars eight or nine of the TD Buy Setup or a subsequent low must be less than, or equal to, the lows of bars six and seven of the TD Buy Setup
How to differentiate perfected and unperfected Buy Setup within TD+ Enhanced Sequential Indicator:
Perfected Buy Setup is a RED character '9'
Unperfected Buy Setup is a GRAY character '9'
# Interruption of a TD Buy Setup:
If, at any point, the sequence is interrupted, the developing TD Buy Setup will be canceled and must begin anew.
2. Bearish case (TD Sell Setup)
# Definition:
Step1: Bullish TD Price Flip
The prerequisite for a TD Sell Setup is a Bullish TD Price Flip, which indicates a switch from negative to positive momentum.
TD Price Flip is bar 1 (Green) out of 9
Step2: TD Sell Setup
After a Bullish TD Price Flip, there must be nine consecutive closes; each one greater than the corresponding close four bars earlier.
# TD Sell Setup “Perfection”
The high of TD Sell Setup bars eight or nine or a subsequent high must be greater than, or equal to, the highs of TD Sell Setup bars six and seven
How to differentiate perfected and unperfected Buy Setup within TD+ Enhanced Sequential Indicator:
Perfected Sell Setup is a GREEN character '9'
Unperfected Sell Setup is a GRAY character '9'
# Interruption of a TD Sell Setup
If at any point, the sequence is interrupted, The developing TD Sell Setup will be canceled and must begin anew.
This completes the first tutorial. More to come.
Also check my profile to access more content.
Take care
MATHR3E
A Renko Strategy for Trading - Part 7 Refactor/RefinementThis is intended more as educational material on a strategy for using renko charts. To begin with, I'll be using USOil in the examples but will include other markets as I continue through the series. The material is not intended to prescribe or recommend actual trades as the decision to place trades is the responsibility of each individual who trades as they assume all risks for their own positions and accounts.
(Part 1)
Double Exponential Moving Average (DEMA) 12 black line
Double Exponential Moving Average (DEMA) 20 red line
Parabolic SAR (PSAR) 0.09/0.09/.23 blue circles
Simple Moving Average (SA) 20 blue line
(Part 2)
Stochastics 5, 3, 3 with boundaries 80/20 dark blue/light blue
Stochastics 50, 3, 3 with boundaries 55/45 red
Overlay these two on one indicator. Refer to 'Part 2' as to how to do this
(Part 3)
True Strength Indicator (TSI) 14/4/4 dark blue/ red
Directional Movement Indicator DMI 14/14 ADX-dark green, +DI-dark blue, -DI-red
Early Warnings: using Trend Shift Indicator divergence.The attached chart has much of the explanation.
Here are the highlights:
TSI gives early sell warning via high values (near 170), relative highs, or in rare cases an "x" signal.
Divergence with price is also a key indicator of future action.
Examine the divergence illustrated during the price drop and the (still red) TSI values.
I hope this is helpful. Feedback appreciated.