[ADOL_]Trend_Oscillators_MTF
ENG) Trend_Oscillator_MTF
introduction)
This is a trend analyzer implemented in the form of an oscillator.
An oscillator is a technical analysis tool that identifies the direction of market trends and determines the time period. Making it an oscillator means creating range. By setting the upper and lower limits like this, the unlimited expansion area that can appear on the chart is limited. As a limited area is created, we can identify oversold and overbought areas, which is good for checking momentum.
Through oscillatorization, you can find overbought, oversold, and current trend areas.
It adopts MTF and is a simple but functional indicator.
To use multiple time frames, use the timeframe.multiplier function.
A table was created using the table.new function, and various information windows were installed on the right side of the chart.
I hope this can be a destination for many travelers looking for good landmarks.
- 8 types of moving averages can be selected (in addition to independently developed moving averages), trend area display, signal display, up to 3 multi-time chart overlapping functions, information table display, volatility and whipsaw search, and alerts are possible.
- You can set various time zones in Timeframe. With three timeframes, you can check the conditions overlapping time at a glance.
principle)
Set up two moving averages with different speeds and make the relative difference.
Create the speed difference between the two moving averages using methods such as over = crossover(fast, slow) and under = crossunder(fast, slow).
The point at which the difference in relative speed decreases is where the possibility of inflection is high. Through the cross code, you can find out when the speed difference becomes 0.
Simply crossing the moving average is easy. To fine-tune the speed difference, it is necessary to re-establish the relationship between functions.
Painting the green and red areas is designed to be painted when the three time frames overlap.
Using the code of fill(fast, slow, color = fast>= slow? color.green: color.red, transp = 80, title = "fillcolor")
You can color and distinguish areas.
MA: You can select the MA_type. This is a necessary option because the profit/loss ratio for each item varies depending on the type of moving average.
Start: The starting value to set the oscillator range.
End: This is the last value to set the oscillator range.
Lenght: This is the number of candles used to calculate the calculation formula in the oscillator.
Timeframe: Set the time to overlap with up to 3 time frames.
repaint: You can choose whether to apply repaint. The default is OFF.
The coding for repaint settings for the indicator was written using the recommended method recommended by TradingView.
reference :
security(syminfo.tickerid, tf, src)
Trading method)
With the Multi-Time-Frame (MTF) function, the time zone set in the indicator is displayed the same in any chart time zone.
The repaint problem that occurred when using MTF was resolved by referring to TradingView's recommended code.
User can decide whether to repaint or not. The default is OFF.
- signal
Buy and Sell signals are displayed when there are 3 stacks. Even if there is no triple overlap, you can decide to buy or sell at the point where the short-term line and long-term line intersect.
Entry is determined through Buy and Sell signals, and exit is determined through BL (BuyLoss) and SL (SellLoss).
BL and SL can also be applied as entry.
You can judge overlap by the color of the lines. When two conditions overlap, it is orange, and when one condition overlaps, it is blue.
- Divergence
Divergence is a signal that arises from a discrepancy between the oscillator and the actual price.
Divergence can be identified because the range is set with conditions that have upper and lower limits.
- trend line
As shown in the picture, draw a downward trend line connecting the high points in the same area.
As shown in the picture, an upward trend line is drawn connecting the low points in the same area.
It can be used to view trend line breakout points that candles cannot display.
- Find a property for sale by amplitude
When the low point in the red area and the high point in the green area occur, the difference is regarded as one amplitude and the range is set.
Here, one amplitude becomes a pattern value that can go up or down, and this pattern value acts as support/resistance. It was developed in a unique way that is different from traditional methods and has a high standard of accuracy. This works best when using that indicator. Use 1, 2, 3, or 4 multiples of the amplitude range.
A multiple of 2 is a position with a high probability of a retracement.
- Whipsaw & volatility search section
Whipsaw refers to a trick that causes frequent trading in a convergence zone or confuses the trend in the opposite direction before it occurs. Whip saws are usually seen as having technical limitations that are difficult to overcome.
To overcome this problem, the indicator was created to define a section where whipsaw and volatility can appear. If a whipsaw & volatility indicator section occurs, a big move may occur later.
Alert)
Buy, Sell, BuyLoss, SellLoss, Whipsaw alert
Disclaimer)
Scripts are for informational and educational purposes only. Use of the script does not constitute professional and/or financial advice. You are solely responsible for evaluating the risks associated with your script output and use of the script.
KOR) 트렌드_오실레이터_MTF
소개)
이것은 오실레이터 형태로 구현된 트렌드 분석기 입니다.
오실레이터는 시장의 추세방향을 확인하고 기간을 결정하는 기술적 분석 도구입니다. 오실레이터로 만드는 것은 범위가 생기는 것을 의미합니다. 이렇게 상한과 하한을 정함으로써, 차트에서 나타날 수 있는 무제한적인 확장영역이 제한됩니다. 제한된 영역이 만들어짐에 따라 우리는 과매도와 과매수 구간을 식별할 수 있게 되며, 모멘텀을 확인하기 좋습니다.
오실레이터화를 통해, 과매수와 과매도, 현재의 트렌드 영역을 잘 찾을 수 있습니다.
MTF를 채택했으며, 단순하지만, 기능적으로 훌륭한 지표입니다.
멀티타임프레임을 사용하기 위해 timeframe.multiplier 함수를 사용합니다.
table.new 함수를 사용하여 table을 만들고, 차트 우측에 여러가지 정보창을 갖췄습니다.
좋은 지표를 찾는 많은 여행자들에게 이곳이 종착지가 될 수 있기를 바랍니다.
- 이평선 종류 8종 선택(독자적으로 개발한 이평선 추가), 추세영역표시, 시그널 표기, 최대 3개 멀티타임차트 중첩기능, 정보테이블 표시, 변동성과 휩쏘찾기, 얼러트가 가능합니다.
- Timeframe에서 다양한 시간대를 설정할 수 있습니다. 3개의 Timeframe을 통해 시간을 중첩한 조건을 한눈에 확인할 수 있습니다.
원리)
속도가 다른 두 개의 이평선을 설정하고 상대적인 차이를 만듭니다.
over = crossover(fast, slow) , under = crossunder(fast, slow) 와 같은 방법으로 두개의 이평선의 속도차이를 만듭니다.
상대적 속도의 차이가 줄어드는 시점은 변곡의 가능성이 높은 자리입니다. cross code를 통해 속도차가 0이 되는 시점을 알 수 있습니다.
단순히 이평선을 교차하는 것은 쉽습니다. 세밀하게 속도차이를 조정하는데 함수간의 관계를 다시 설정할 필요가 있습니다.
초록색과 빨간색의 영역을 칠하는 것은 3가지 타임프레임이 중첩될 때 칠하도록 만들어졌습니다.
fill(fast, slow, color = fast>= slow? color.green: color.red, transp = 80, title = "fillcolor") 의 코드를 사용하여
영역을 색칠하고 구분할 수 있습니다.
MA : MA_유형을 선택할 수 있습니다. 이평선의 종류에 따라 종목당 손익비가 달라지므로 꼭 필요한 옵션입니다.
Start : 오실레이터 범위를 설정할 시작값입니다.
End : 오실레이터 범위를 설정할 마지막값입니다.
Lenght : 오실레이터에서 계산식을 산출하기 위한 캔들의 개수입니다.
Timeframe : 최대 3개의 타임프레임으로 중첩할 시간을 설정합니다.
repaint : 리페인팅을 적용할지 선택할 수 있습니다. 기본값은 OFF 입니다.
해당 지표의 리페인트 설정에 관한 코딩은 트레이딩뷰에서 권장하는 추천 방법으로 작성되었습니다.
참고 :
security(syminfo.tickerid, tf, src)
매매방법)
Multi-Time-Frame(MTF) 기능으로 지표에서 설정한 시간대가 어느 차트 시간대에서나 동일하게 표시됩니다.
MTF 사용시 발생하는 리페인트 문제는 트레이딩뷰의 권장코드를 참고하여 해결했습니다.
사용자가 리페인트 여부를 결정할 수 있습니다. 기본값은 OFF 입니다.
- 시그널
시그널의 Buy와 Sell은 3중첩일 경우 표시됩니다. 3중첩이 아니라도 단기선과 장기선이 교차되는 시점에서 매매를 결정할 수 있습니다.
Buy와 Sell 시그널에서 진입을 결정하고 BL(BuyLoss)와 SL(SellLoss) 에서 exit를 결정합니다.
BL과 SL을 진입으로 응용할 수도 있습니다.
라인의 컬러로 중첩을 판단할 수 있습니다. 2개의 조건이 중첩되면 오렌지, 1개의 조건이 중첩되면 블루컬러입니다.
- 다이버전스
다이버전스는 오실레이터와 실제 가격의 불일치에서 발생하는 신호입니다.
상한과 하한이 있는 조건으로 범위를 설정하였기 때문에 다이버전스를 식별가능합니다.
- 추세선
그림과 같이 같은 영역의 고점을 이어 하락추세선을 긋습니다.
그림과 같이 같은 영역의 저점을 이어 상승추세선을 긋습니다.
캔들이 표시할 수 없는 추세선돌파 지점을 볼 수 있게 활용가능합니다.
- 진폭으로 매물대 찾기
빨간색 영역의 저점과 초록색 영역의 고점이 발생할 때, 그 차이를 하나의 진폭으로 보고 범위를 설정합니다.
여기서 하나의 진폭은 위나 아래로 갈 수 있는 패턴값이 되며, 이 패턴값은 지지/저항으로 작용합니다. 전통적인 방식에 없는 독창적인 방식으로 개발된 것으로 정확성 높은 기준입니다. 이것은 해당 지표를 사용할 때 가장 잘 맞습니다. 진폭 범위의 1배수,2배수,3배수,4배수 자리를 사용합니다.
2배수 자리는 다시 돌아오는 되돌림 확률이 높은 위치입니다.
- 휩쏘&변동성 찾기 구간
휩쏘는 수렴구간에서 잦은 매매를 유발하거나, 추세가 발생하기 전에 반대방향으로 혼란을 주는 속임수를 의미합니다. 휩쏘는 보통 극복하기 어려운 기술적 한계로 여겨집니다.
해당지표에서는 이를 극복하기 위해 휩쏘와 변동성이 나타날 수 있는 구간을 정의하도록 만들었습니다. 휩쏘&변동성 표시 구간이 발생하면 이후 큰 움직임이 발생할 수 있습니다.
얼러트)
Buy, Sell, BuyLoss, SellLoss, Whipsaw alert
면책조항)
스크립트는 정보 제공 및 교육 목적으로만 사용됩니다. 스크립트의 사용은 전문적 및/또는 재정적 조언으로 간주되지 않습니다. 스크립트 출력 및 스크립트 사용과 관련된 위험을 평가하는 책임은 전적으로 귀하에게 있습니다.
Search in scripts for "entry"
Algo Targets [Premium]The Algo Targets indicator includes a suite of tools that attempt to identify market maker liquidity targets in advance.
These levels can be used by traders to determine:
1. future support/resistance
2. entries/exits
3. directional bias
4. potential reversal levels
5. pullback targets
The script uses a proprietary prediction model based on specific candle sequences, historical moves and volatility projections.
These tools have been live tested across a variety of instruments and timeframes, but should be backtested against your preferred ticker for best performance.
Primary Features:
1. Anchors
Anchors are derived from a simple, but powerful, three-candle breakout pattern. We have found that this pattern, when combined with the relative position to previous Anchor patterns on the chart, gives us clues to predicting future price structure.
Common use case: The simplest way to trade Anchors is to know that price *almost always* makes a return visit. This can be a useful tool for reversal traders. Additionally, Anchors often occur just before strong directional momentum. This can be useful for trend traders looking for entry signals.
Power User feature: Projected Ranges can be enabled in Settings. Each Anchor provides a Retracement leg (measured as the midpoint between the last two Anchors) and an Expansion leg (measured as twice the size of the Retracement leg, projected in the opposite direction). If Projected Ranges are enabled, the directional bias is also highlighted within the range, making it easy to spot at a glance.
Caveats: Expansion legs require patience and solid risk management. Additionally, the Expansion leg contains an additional Trigger level which price MUST cross before we consider the Expansion leg to be "in play" as a valid price target. This Trigger is marked on each Expansion legs as a dotted line.
Please note, Anchors require a 3 candle lookback before they are printed to the chart.
2. Target Zones
Target Zones are an advanced feature, and can be enabled in the Settings panel.
Each Target Zone consists of three levels:
Trigger — This the level closest to the current price. We expect it to act as a support/resistance level until price breaks through.
Target — This is the level farthest from the price. This is how far price is likely to move AFTER crossing the Trigger.
Midpoint — This is the level between the Trigger and Target. If price enters a Target Zone and wicks off of the Midpoint line, it’s usually a reversal signal. In this case we would cut our trade, consider the Target “filled” and potentially enter a reversal trade.
Common use case: When prices crosses a Trigger into a Target Zone, we consider that Target level to be “unlocked.” Our expectation is that price will gravitate toward the Target.
Power User feature: There are many strategies that a trader can build around Target Zones. One of our favorites is to use Targets strictly as reversal entries. On ranging days, price will often wick off of a Target level, before making a quick move in the opposite direction.
Caveats: After a Target is unlocked, it may be reached within the next few bars, or it may be saved by the market algorithms for later. Keep an eye on the Midpoint for potential reversals, and as always, proper risk management is key.
IMPORTANT: The presence of a Target Zone on the chart is neither bullish not bearish by itself. We consider the Target to be in play if, AND ONLY IF, price has crossed the Trigger level.
3. Pullback Levels
Pullback Levels are algorithmically detected return levels. They usually act as a strong draw on price, and often appear just before a pullback in price.
Common use case: The simplest way to use Pullbacks is to look for ones that have not been filled, either from a previous day or in after-hours/pre-market. We use them for confirmation bias along with Anchors and unlocked Targets.
Power User feature: For day trading, we set Alerts on our favorite tickers for any detected Pullbacks on the 5 min chart. This usually gives us plenty of time to review the chart for a possible day trade entry.
Settings:
All features are customizable, including color, line length and visibility. This lets you keep your chart as clean as you like, while only displaying additional data when it is needed.
Alerts:
Alerts can be set for all features, with the ability to set bearish and bullish alerts separately, depending on your trading preference. It is recommended to use "Once Per Bar Close" when you create an alert.
Mobius - Trend Pivot// Mobius
// V01.01.29.2019
// Uses trend of higher highs with higher lows and trend of lower lows with lower highs to locate pivots. Distance for trend is set by the user. Confirmation of a reversal from pivots is set with a multiple of the pivot bars range. That multiple is also a user input.
// Trading Rules
// 1) Trade when price crosses and closes outside the pivot Confirmation line. At that point looking for best entry. Min trade is 2 contracts
// 2) Know your risk point before entering trade. Typical risk point is the pivot line itself. If your risk is crossed look for an exit. Never use hard stops - you'll often get out for little or no loss
// 3) Know your Risk off point before entering. Typical Risk Off is an ATR multiple. Offer Risk Off as soon as possible for a Risk Free trade
// 4) set mental stop one tick above entry when Risk Off is achieved
// 5) if trade continues your way move mental stop for your runner to last support / resistance each time a new support / resistance is hit.
The script is an indicator called "Mobius - Trend Pivot" and is designed to be overlaid on price charts. It utilizes a concept called "Mobius - Trend Pivot" to identify potential reversal points in the market based on the trend of higher highs with higher lows and lower lows with lower highs. The user can adjust the parameters through input variables. The script expects two inputs: "n" and "R_Mult." The "n" input determines the distance for trend calculation, and the "R_Mult" input is used for confirming a reversal from the pivots. The script calculates the True Range, which is the maximum of the current bar's high minus the previous bar's close or the previous bar's close minus the current bar's low. It then identifies the highest high (hh) and lowest low (ll) based on the trend criteria using the input variable "n." The script plots lines representing the pivot points, their confirmation levels, and risk-off levels. It also generates alerts when the price crosses above or below the confirmation or risk-off levels. Additionally, it plots shapes (arrows) on the chart to indicate bullish or bearish conditions based on the crossover or crossunder of the price with the pivot levels.
RD Key Levels (Weekly, Daily, Previous vWAP)The RexDog Key Levels indicator plots the weekly open, daily open, and the previous day vWAP close.
These are all critical price levels (zones) to know when trading any market or instrument. These areas are also high probability reaction areas that you can trade using simple confirmation trading patterns.
First, I'll cover an overview of the indicator then I'll share general usage tips.
Weekly Open - default is white/orange. White is when price is above the weekly open. Orange is when price is below the weekly open.
Weekly High/Low - there are options to turn on the weekly high and lows. Default plot is circles. Green is the high. Red is the low.
Daily Open - default is green/red. Green is when price is above the daily open. Red is when price is below the daily open.
Previous vWAPs - aqua single lines. These are the closing price of the daily vWAPs.
Top Indicators - The triangles at the top of the chart signify is price is currently above or below the weekly open. This is helpful on lower timeframe charts (5m, 15m) to get a quick indication when price is far extended beyond the weekly open. Green triangle = above weekly open. Red triangle = below weekly open.
General Usage
Each one of these levels are important levels markets look use for continuation or failure of momentum and bias. I also find it extremely helpful to think of these levels as magnets, dual magnets. They both attract and repel price at the same time. Now you might say, how is that helpful to have opposing views at the same time? Be indifferent to direction, create your own rules on when these price zones repel or attract price, I have my own.
Here's the easiest way to use these price levels.
As price approaches one of these levels to expect a reaction. A reaction is price is going in one direction and price hits a price level zone and reacts in the opposite direction.
These are price zones, sometimes you will see a reaction right at the price but visualize these areas as zones of reaction.
A high percentage of the time when price approaches these level zones there will be a reaction. So trade the reaction .
How do you do that?
Simple. Trade patterns that repeat. I have 3 solid patterns I trade around these key levels:
The first pattern is early entry with precise scale in rules and a very effective protective stop loss placement.
The second pattern is wait for confirmation that the level holds. This requires more patience and for you to fully trust the chart. The benefit of this pattern is with confirmation you have even more precise stop placement.
There is a bonus third pattern I trade around these levels. I call this the confirmation and bluff entry. It's a combination of both of the patterns above. You wait for confirmation but on any pull back you call the bluff on the market and enter on key test. Trade management here is critical. In addition to the pattern you trade you should have a series of failure patterns that tell you to get out of the trade, I use 2 primary failure patterns.
I trade all markets, same system, same rules, so I'll show a few examples.
Usually I start with Bitcoin but let's start with equities:
BA - Boeing - 8 Trades
Here we see weekly low patterns, previous week low test, vwAP hold patterns, day magnets and day holding. Then 2 week failures and a double hold pattern.
These are all straightforward trades to execute following really simple patterns.
BTCUSD Previous vWAP and Day Open Trades
We see here on the circle areas both daily open and previous day vWAP zone tests. Within this chart are all 3 highly effective patterns I trade.
SPY - 7 High Probability Trades
Here we see a pDay vWAP mixed with a daily failure. Next a daily retest, then a pDay vWAP failure, then a vWAP capture and test. Then a double weekly failure test (great trade there) and finally a daily test.
I could provide more examples but most are just derivatives of the above examples.
OMEP S MTF [JoseMetal]PERFECT LONG EXAMPLE:
imgur.com
PERFECT SHORT EXAMPLE:
imgur.com
============
ENGLISH
============
- Description:
This indicator is based in one of my indicators (check my profile to test it), the OMEP S, which is a mix of RSI, MFI and Stochastic in order to take advantage of the best of each indicator and fix their weaknesses.
The purpose of this indicator is to create a multiple time frame oracle with 3 different timeframes, which allows you to see the overall status at a glance and find the perfect trigger for an entry.
- Visual:
Colors are THE SAME as the main indicator (again, the "OMEP S") to prevent confusion.
DOTS: crossover/under of the OMEP with its signal line.
CROSSES: the same, BUT stronger signal because the crossover occurs in the upper/lower area, meaning better entry.
A tag showing the current OMEP value of all timeframes appears at the end (right) of the indicator.
- Usage and recommendations:
For 1H you can set timeframes to 1H, 3H, and 8H, for 4H you can use 4H, 12H and D.
Whenever you get 3 crosses and you get the highlighted color (green/red) matching with the crosses = perfect entry.
Getting (for example) 1H cross, 3H cross but 8h is still different color is usually just a bounce or change of trend, is recommended to trade with the trend.
- Customization:
Everything you can customize in the OMEP S is also here, RSI, MFI and Stochastic periods, relevance in the calculations.
You can customize 3 timeframes to be shown at the same time.
Also, the margin for the tags showing OMEP value.
============
ESPAÑOL
============
- Descripción:
Este indicador está basado en uno de mis indicadores (revisa mi perfil para probarlo), el OMEP S, que es una mezcla de RSI, MFI y Estocástico con el fin de aprovechar lo mejor de cada indicador y mejorar o eliminar sus debilidades.
El propósito de este indicador es crear un oráculo de 3 marcos de tiempo simultáneos, lo que le permite ver el estado general de un vistazo y encontrar el gatillo perfecto para una entrada.
- Visual:
Los colores son LOS MISMOS que los del indicador principal (de nuevo, el "OMEP S") para evitar confusiones.
PUNTOS: cruces del OMEP con su línea de señal.
CRUCE: lo mismo, PERO una señal más fuerte porque el cruce se produce en la zona superior/inferior, lo que significa una mejor entrada.
Al final (a la derecha) del indicador aparece una etiqueta con el valor actual del OMEP en todos los marcos de tiempo.
- Uso y recomendaciones:
Para 1H se recomienda las temporalidades de 1H, 3H y 8H, para 4H se recomienda utilizar 4H, 12H y D.
Siempre que obtenga 3 cruces y obtenga el color destacado (verde/rojo) que coincida con los cruces = entrada perfecta.
Si se suceden 3 cruces sin que ninguna cambie de estado se mostrará el fondo de color, destacando una entrada perfecta.
Obtener (por ejemplo) 1H cruz, 3H cruz pero 8h sigue siendo de color diferente suele ser solo un rebote o cambio de tendencia, se recomienda operar con la tendencia y evitar esos casos o no optar por un take profit muy alejado.
- Personalización:
Todo lo que se puede personalizar en el OMEP S también está aquí, RSI, MFI y periodos estocásticos, relevancia en los cálculos.
Se pueden personalizar 3 marcos de tiempo para que se muestren al mismo tiempo.
También, se puede configurar el margen de las etiquetas en las que se muestra el valor del OMEP para cada temporalidad.
sentiment winner (juiida)Sentiment winner is an indicator made by trader for trader. This indicator made for high volume index and highly traded forex pair. Special thanks to tradingview for providing such a beautiful platform to build indicators.
Though this indicator looks like having candlesticks, well they are not, they are just some visualization. The logic behind sentiment winner involved complex mathematics. But the primary aim is to check where pump and dump happens on high volume index and forex pair. Things gets interesting when you count forex effect and the respective country's option market effect alongside.
When you click on settings, you will have get options to select.
1. For banknifty & nifty - I recommend to use default settings
2. To check Global effect - make IN Option Effect OFF & Forex Effect ON.
3. For SPX & QQQ - make IN Option Effect OFF & US Option Effect ON.
4. For forex pair like EURUSD, GBPUSD - make Forex Effect ON and Invert Effect OFF.
5. For forex pair like USDCAD, USDSEK - make Forex Effect ON and Invert Effect ON.
Well after choosing the right settings for you, you will see sentiment winner is similar to your chart. You can check and spot where things gets different. Your target chart, say nifty50 or eurusd can be pump and dumped but to move sentiment winner, market maker will need extra time and effort. So, it has the advantages.
So, as an option seller you would be more happy to sell options, as you can spot where pump and dump started, but as an option buyer we need to wait for proper entry. Some of those entry can be double top or double bottom, where low risk it involves low risk but high rewards. I'm sure with experience you will find more entries.
let me show some examples.
In forex pairs also, traders can trade on double top or double bottom, where low risk it involves low risk but high rewards. Also can check many imbalances with the help of sentiment winner and can trade accordingly.
let me show some examples.
So these are just a few examples. The use of this indicator is only limited by your imagination.
Wick Hunter VWAP & RSIWick Hunter VWAP & RSI Script to be used to produce quality reversal entries based on VWAP with added RSI Filtering.
Wick Connect 2.0 was designed specifically to work with Wick Hunter, the lightning fast cryptocurrency trading robot that can trade for you 24/7.
Simply input your UUID and start trading automatically with Wick Hunter!
The indicator first starts with VWAP entries, with user selectable user selectable inputs to plot percentages above and below current VWAP line.
Percentage Above VWAP = Short Entry
Percentage Below VWAP = Long Entry.
Alerts will fire as soon as price crosses the VWAP Line if using "Once per bar", and may disappear after.
Alerts shown on the chart are confirmed via candle close, and as such, "Once per bar close" should be used if the user wants to only trade confirmed signals.
RSI Filtering has been added with separate RSI Values for both long and shorts which can used to filter entries.
RSI Long Min: Minimum RSI value to fire alerts.
RSI Long Max: Maximum RSI value to fire alerts.
RSI Short Min: Minimum RSI value to fire alerts.
RSI Short Max: Maximum RSI value to fire alerts.
Happy Trading.
WinAlgo V1"WinAlgo" Product Description:
The indicator quickly identifies market trends with visual buy/sell alerts on the chart.
Accurate Buy Sell indicator Signal
Script work on our try and tested algorithm and provide you buy and sell indicator signals
Hama Trend based on volume
Trend changes based on asset rate and volume it's nominated as the best trend reversal indicator.
Auto Support and Resistance Lines
The purpose of technical indicators is to help with your timing decisions to buy or sell. Optimistically, the signals are clear and unequivocal.
Trend Lines for dual confirmation
A popular buying and selling indicator that is useful for predicting trend reversals is used using stochastic trends.
HAMA
HAMA basically stands for Heiken Ashi Moving Average. This indicator is a trend-following indicator that helps traders identify the general direction of the trend over the mid-term.
The Heiken Ashi Moving Average is a modified version of the Heiken Ashi Smoothed indicator. Still, the two indicators share almost the same qualities. The Heiken Ashi Smoothed indicator is based on an Exponential Moving Average ( EMA ), while the HAMA indicator is also based on a moving average. Both indicators are geared towards identifying the mid-term trend and both indicators tend to produce accurate signals with very few false signals. This allows traders to stay with the trend until it loses steam. The difference is only that the HAMA indicator has no wicks, while the Heiken Ashi Smoothed indicator has wicks.
Our WinAlgo Indicator combines various exponential moving averages and RSI in order to deliver an early entry to a buy or sell trend. The indicator also has a red and green line in order to identify better the entry. The different color ranges of the candles make you also visualize better the trend. The dark red candles, for example, can announce an early reversal bullish signal.
The indicator is useful on any timeframe available on TradingView, even for 5-minute scalping.
Use Our WinAlgo Adx Indicator to get a confirmation of Buy and Sell Signals.
Disclaimer: Trading and investing in the stock market and cryptocurrencies involves a substantial risk of loss and is not suitable for every investor. The content covered in this video is NOT to be considered investment advice. I’m NOT a financial adviser. All trading strategies are used at your own risk.
Good For Scalping With Sensibility Adjustment.
a custom technical indicator named "WinAlgo". The indicator aims to provide a simple, yet effective way to analyze price trends and generate trading signals based on the filtered price of an asset.
It starts by defining various inputs, such as the source of the price data (default is close price), the sampling period, and the range multiplier. These inputs can be adjusted by the user in the chart interface.
Next, the script calculates a smoothed average range, which acts as the basis for determining a range filter. The range filter is then applied to the price data and the resulting filtered price is plotted on the chart.
The script also calculates upward and downward trend lengths, which are used to determine the direction of the trend and to color the chart bars. The filtered price, along with the high and low target bands, are then plotted on the chart. The high and low target bands are defined as the filtered price plus or minus the smoothed average range.
Finally, the script includes conditions for detecting long (buy) and short (sell) trades, based on the filtered price crossing above or below the target bands. If a long or short trade is detected, the script will generate a visual alert on the chart and trigger an alert message.
In summary, the "WinAlgo" indicator is a combination of a range filter and a trade signal generator, designed to help traders identify trend changes and make buy/sell decisions based on these changes.
ASE Additionals v1ASE Additionals is a statistics-driven indicator that combines multiple features to provide traders with valuable statistics to help their trading. This indicator offers a customizable table that includes statistics for VWAP with customizable standard deviation waves.
Per the empirical rule, the following is a schedule for what percent of volume should be traded between the standard deviation range:
+/- 1 standard deviation: 68.26% of volume should be trading within this range
+/- 2 standard deviation: 95.44% of volume should be trading within this range
+/- 3 standard deviation: 99.73% of volume should be trading within this range
+/- 4 standard deviation: 99.9937% of volume should be trading within this range
+/- 5 standard deviation: 99.999943% of volume should be trading within this range
+/- 6 standard deviation: 99.9999998% of volume should be trading within this range
The statistics table presents five different pieces of data
Volume Analyzed: Amount of contracts analyzed for the statistics
Volume Traded Inside Upper Extreme: Calculated by taking the amount of volume traded inside the Upper Extreme band divided by the total amount of contracts analyzed
Volume Traded Inside Lower Extreme: Calculated by taking the amount of volume traded inside the Lower Extreme band divided by the total amount of contracts analyzed
Given the user’s inputs, they will see the upper and lower extremes of the day. For example, if the user changed the inner st. dev input to 2, 95.44% of the volume should be traded within the inner band. If the user changed the outer st. dev input to 3, 99.73% of the volume should be traded within the outer band. Thus, statistically, 2.145% ((99.73%-95.44%)/2) of volume should be traded between the upper and lower band fill.
In the chart above, the bands are the 2nd and 3rd standard deviation inputs. We notice that out of the 151 Million Contracts , the actual percentage of volume traded in the upper extreme was 2.7% , and the actual percentage of the volume traded in the lower extreme was 3.3% . Given the empirical rule, about 2.145% of the volume should be traded in the upper extreme band, and 2.145% of the volume should be traded in the lower extreme band. Based on the statistics table, the empirical rule is true when applied to the volume-weighted average price.
The trader should recognize that statistics is all about probability and there is a margin for error, so the bands should be used as a bias, not an entry. For example, given the +/-2 and 3 standard deviations, statistically, if 2.145% of the volume is traded within the upper band extreme, you shouldn’t look for a long trade if the current price is in the band. Likewise, if 2.145% of the volume is traded within the lower band extreme, you shouldn’t look for a short trade if the current price is in the band.
Additionally, we provide traders with the Daily, Weekly, and Monthly OHLC levels. Open, High, Low, and Close are significant levels, especially on major timeframes. Once price has touched the level, the line changes from dashed/dotted to solid.
Features
VWAP Price line and standard deviation waves to analyze the equilibrium and extremes of the sessions trend
Previous Day/WEEK/Month OHLC levels provide Major timeframe key levels
Settings
VWAP Equilibrium: Turn on the VWAP line
VWAP Waves: Turn on the VWAP standard deviation waves
Inner St. Dev: Changes the inner band standard deviation to show the percentage of volume traded within
Outer St. Dev: Changes the outer band standard deviation to show the percentage of volume traded within
Upper Extreme: Change the color of the upper VWAP wave
Lower Extreme: Change the color of the lower VWAP wave
Wave Opacity: Change the opacity of the waves (0= completely transparent, 100=completely solid)
Statistics Table: Turn on or off the statistics table
Statistics Table Settings: Change the Table Color, Text Color, Text Size, and Table Position
Previous Day/Week/Month OHLC: Choose; All, Open, Close, High, Low, and the color of the levels
OHLC Level Settings: Change the OHLC label color, line style, and line width
How to Use
The VWAP price line acts as the 'Fair Value' or the 'Equilibrium' of the price session. Just as the VWAP Waves show the session's upper and lower extreme possibilities. While we can find entries from VWAP , our analysis uses it more as confirmation. OHLC levels are to be used as support and resistance levels. These levels provide us with great entry and target opportunities as they are essential and can show pivots in price action.
Super Synchronicity x Musa MoneyThe goal of this indicator is to display a simple and easy method that gives traders a logical strategy that can be applied in many different ways.
This indicator uses fractal support and resistance created by close above or close below candle structures. This indicator displays sell/buy boxes that represents entries and take profit levels. It also shows multi-timeframe breakouts and structure points. In an buy box (green) the bottom of the box symbolizes the stop loss and the top of the box symbolizes the buy entry. In a sell box (red) the bottom of the box symbolizes the entry and the top of the box symbolizes the stop loss. The lines drawn are support and resistance areas on current and higher timeframe showing market structure and trend.
How to use it:
You must choose a higher timeframe and a lower timeframe. The lower timeframe will be in synchronicity with the higher timeframes trend. The boxes that appear will either be green or red depending on the higher timeframes trend. These boxes will represent your entries. The lavender boxes represents your exit. The dark colored boxes represents a higher probability trade than the light colored boxes bases on market structure (higher highs and higher lows or lower higher and lower lows).
HOLP LOHP PivotCOINBASE:BTCUSD
HOLP and LOHP based on John Carter's Mastering the Trade.
HOLP stands for High Of the Low Period
LOHP stands for Low Of the High Period
This indicator is based on John Carter’s HOLP and LOHP from Mastering the Trade. The basic idea is to identify the session high and mark the low of the session high for a short entry, and vice versa for a long entry.
The default look back period is set to 10 here, albeit John Carter didn’t specify a hard coded number but rather the use of experience and common sense.
Option to turn on labels of the highs and lows of the pivots.
Alpha ADX DI+/DI- V5 by MUNIF SHAIKHMODIFIED ADX DI+/DI- V5
Usage: To use this indicator for entry: when DMI+ crosses over DMI-, there is a bullish sentiment, however ADX also needs to be above 25 to be significant, otherwise the move is not necessarily sustainable.
Inversely, when DMI+ crosses under DMI- and ADX is above 25, then the sentiment is significantly bearish , but if ADX is below 20, the signal should be disregarded.
The line control represents, if the ADX is greater than the line of 25, the price trend is considered strong
Chrtpnk LTF Pullback ScalperINTRODUCTION
I am happy to present the system which I am using for intraday scalps. I have developed this system for my own using, and it has started out as a mere productivity tool. Since I am using more timeframes for the calibration of my scalp entries, I needed a clean, color-based chart tool that relieves me from watching several timeframes simultaneously.
The system has been optimized for entries on the 15-minute chart, providing calibration by following the 1-hour and 4-hour charts in the background.
In this trend following momentum pullback scalping system we are following the trend structure, the multi-timeframe momentum, and we can also add the Stochastic RSI to properly time our entries. Below please find details.
TREND STRUCTURE
The overall trend on our trading timeframe is shown with the assistance of three weighted moving average levels. In line with general MA trading principles, we are looking for the proper alignment of the MA levels, and a correlating price action with our trade. Whenever the short MA is above the middle MA and both of them are above the long MA, the trend is long. Whenever the short MA is below the middle MA and both of them are below the long MA, the trend is short.
MOMENTUM (Multi Timeframe!)
Further to the general trend structure, I am using market momentum to confirm my entries and exits. The most important market indicators to me in this respect are the RSI , DMI and Momentum Oscillator values. A bullish confluence of these momentum indicators are a confirmation for me on a long entry, and a bearish confluence may confirm a short entry.
This aspect is where I believe my indicator is a huge help. Instead of having to check for confluence separately, the indicator is simply signaling confluence by painting the bars, thus providing an easy and quick reading of current momentum.
Even further, the indicator is able to analyize the underlying indicators on three timeframes simultaneously, and paint the candles only in case of total confluence. This has been a huge help in my trading, as it provides me with an immediate MTF momentum reading upon opening a chart.
MY PREFERRED USE OF THIS INDICATOR
I am using this indicator on the 15-minute chart, and I am basically trying to perform trend following momentum pullback scalps. In order to properly time your sniper entries, you may add the Stochastic RSI to the indicator. Here is the strategy:
Long scalp: You are looking for a bullish moving average structure, and you are looking for green candles printed by the Chartpunk Indicator. Green candles mean bullish momentum confluence on the 15m, 1h and 4h timeframes. When you have the bullish ma structure and the green candles, you are waiting for a pullback to the short (yellow) moving average, or to the middle (orange) moving average. The shallower the pullback the stronger the odds. When you see a bounce (trend continuation) and you get also confirmation from the Stochastic RSI, you enter a long scalp.
Short scalp: You are looking for a bearish moving average structure, and you are looking for red candles printed by the Chartpunk Indicator. Red candles mean bearish momentum confluence on the 15m, 1h and 4h timeframes. When you have the bearish ma structure and the red candles, you are waiting for a pullback to the short (yellow) moving average, or to the middle (orange) moving average. The shallower the pullback the stronger the odds. When you see a bounce (trend continuation) and you get also confirmation from the Stochastic RSI, you enter a short scalp.
SUMMARY
This indicator is providing a very clean and quick-to-read outlook of an otherwise rather time and focus intensive study. Instead of checking for confluence of three momentum indicators on three timeframes, you immediately see confluence with the candle paint. The moving average structure is promptly there to confirm the read. The indicator is both a huge productivity help in scouting the market, and an asset to properly time your entries.
Directional Movement Indicator (DMI and ADX) - TartigradiaDirection Movement Indicator (DMI) is a trend indicator invented by Welles Wilder, who also authored RSI.
DMI+ and DMI- respectively indicate pressure towards bullish or bearish trends.
ADX is the average directional movement, which indicates whether the market is currently trending (high values above 25) or ranging (below 20) or undecided (between 20 and 25).
DMX is the non smoothed ADX, which allows to detect transitions from trending to ranging markets and inversely with zero lag, but at the expense of having much more noise.
This is an extended indicator, from the original one by BeikabuOyaji, please show them some love if you appreciate this indicator:
Usage: To use this indicator for entry: when DMI+ crosses over DMI-, there is a bullish sentiment, however ADX also needs to be above 25 to be significant, otherwise the move is not necessarily sustainable.
Inversely, when DMI+ crosses under DMI- and ADX is above 25, then the sentiment is significantly bearish, but if ADX is below 20, the signal should be disregarded.
This indicator automatically highlights the background in green when ADX is above 25, and in red when ADX is below 20, to ease interpretation.
Also, arrows can be activated in the Style menu to automatically show when the two conditions described above are met, or these can be used in a strategy.
Point Of ControlStrategy and indicators are explained on the Chart.
Here's how i read the chart.
Entry:
1. Let the price close above the Ichimoku cloud
2. Price is above Volume Support zone
2. Make sure that momentum indicated with Green Triangles for Long Position
Exit:
1. Orange cross at the bottom of the candle indicates price is about to weaken
2. Best time to exit is Volume Resistance + Bearish(Hammer or Engulf )
PS: Use it along with R-Smart for better results
Divergence Cheat Sheet'Divergence Cheat Sheet' helps in understanding what to look for when identifying divergences between price and an indicator. The strength of a divergence can be strong, medium, or weak. Divergences are always most effective when references prior peaks and on higher time frames. The most common indicators to identify divergences with are the Relative Strength Index (RSI) and the Moving average convergence divergence (MACD).
Regular Bull Divergence: Indicates underlying strength. Bears are exhausted. Warning of a possible trend direction change from a downtrend to an uptrend.
Hidden Bull Divergence: Indicates underlying strength. Good entry or re-entry. This occurs during retracements in an uptrend. Nice to see during the price retest of previous lows. “Buy the dips."
Regular Bear Divergence: Indicates underlying weakness. The bulls are exhausted. Warning of a possible trend direction change from an uptrend to a downtrend.
Hidden Bear Divergence: Indicates underlying weakness. Found during retracements in a downtrend. Nice to see during price retests of previous highs. “Sell the rallies.”
Divergences can have different strengths.
Strong Bull Divergence
Price: Lower Low
Indicator: Higher Low
Medium Bull Divergence
Price: Equal Low
Indicator: Higher Low
Weak Bull Divergence
Price: Lower Low
Indicator: Equal Low
Hidden Bull Divergence
Price: Higher Low
Indicator: Higher Low
Strong Bear Divergence
Price: Higher High
Indicator: Lower High
Medium Bear Divergence
Price: Equal High
Indicator: Lower High
Weak Bear Divergence
Price: Higher High
Indicator: Equal High
Hidden Bull Divergence
Price: Lower High
Indicator: Higher High
Multiple Popular Prices (x16)Up to 16 popular prices in 16 periods.
Lookback Period: Up to 5,000.
Support 01 volume profile (histogram) on price axis for the last period with up to 100 price ranges.
Histogram of 3 colors (up/down/sideways).
Markets: All.
Timeframes: All from 10s.
Usage: Price moves slowly in the popular price area (PPA) and moves fastly in the unpopular price area (UPA). When price breakouts a PPA, it could be forming an entry to a new PPA or an existing PPA. PPA of a period will move up if price continuously increases or is in an uptrend, and vice versa. It means that this indicator is led by price. Note that, when short-term PPA is higher/lower than long-term PPA, price did move and it is not a buy/sell entry.
Note: If calculation is timeout (“Loop takes too long to execute (> 500 ms)”), try to remove the indicator and reapply it, or try to increase the timeframe, or try to reduce the number of periods used to calculate popular prices.
Chartpunk Trading SystemINTRODUCTION
I am happy to present the system which I am using in my daily free market updates.
The system is based on my own trading strategy whereby I am focusing on trend and momentum. I have developed this indicator for my own using, the main purpose was to provide me with a simplified outlook on all parameters that I am following, and make it easier to follow multiple assets.
I am amazed to see my audience growing, and since I have received multiple requests for access to this system, I have decided to publish the indicator on TradingView. I hope it will be useful for many of you in understanding core trend and momentum easier and faster.
TREND STRUCTURE
The moving average based system developed by the late Tyler Jenks has made a big impression to me years ago, and I have started to build my position trading system around his concept. The core idea is that when analyzing trend, the price "is just noise". Tyler declared that instead of the actual price, you should focus on price trends, based on three moving averages, their alignment and crosses. Focusing on the trend structure provides you with a cleaner understanding of the market then being fixated on the actual price. Tyler has used a very short moving average (3) instead of the price, and two longer averages (7 and 30) to identify trend direction. The alignment of these three moving averages provide you with guidance on whether to be short or long, and on the extent of being short or long. Further to the alignment of these moving averages, their direction (ascending or descending) is a further aspect to consider. Try taking off the price from your chart, you will see how these three moving averages provide you with a clean trend structure.
This indicator is plotting the 3,7,30 moving averages accordingly, but you are free to alter the settings according to your own needs.
MOMENTUM (Multi Timeframe!)
Further to the general trend structure, I am using market momentum to confirm my entries and exits. The most important market indicators to me in this respect are the RSI, DMI and Momentum Oscillator values. A bullish confluence of these momentum indicators are a confirmation for me on a long entry, and a bearish confluence may confirm a short entry.
This aspect is where I believe my indicator is a huge help. Instead of having to check for confluence separately, the indicator is simply signaling confluence by painting the bars, thus providing an easy and quick reading of current momentum.
Even further, the indicator is able to analyize the underlying indicators on three timeframes simultaneously, and paint the candles only in case of total confluence. This has been a huge help in my trading, as it provides me with an immediate MTF momentum reading upon opening a chart.
MY PREFERRED USE OF THIS INDICATOR
I am mainly trading Bitcoin, and the core settings of the indicator are preset according to my experience on this market. You may however easily alter the settings according to your own needs and approach.
I am opening and closing positions on the 1-day timeframe, and the candles are showing to me momentum confluence on the 1-day, 3-day and 1-week timeframes. Hence, if on all three timeframes there is a bullish confluence of all momentum oscillators (RSI, Mom, DMI), the candles are green. So easy, as I do not have to browse through timeframes and oscillators individually. The bearish confluence is accordingly signaled by red candles. Grey candles are neutral, showing the lack of confluence.
Whenever I see a momentum confluence change (neutral to bull, neutral to bear etc.), I analyze the trend structure of the moving averages. If the moving average structure is confirming the position, I am opening.
SUMMARY
This indicator is providing a very clean and quick-to-read outlook of an otherwise rather time and focus intensive study. Instead of checking for confluence of three momentum indicators on three timeframes, you immediately see confluence with the candle paint. The moving average structure is promptly there to confirm the read. This is where the real power of this indicator is lying, and I assume this is why the more and more of you have started to daily follow my daily market updates.
SMM - Smart Money IndicatorHello Traders,
SMM – Smart Money Indicator is a Smart Money Concepts indicator that is meant to make your trading a bit easier and take the guess work away. Our mission is to save your time with already marking up the chart for you (all automatic). This indicator will help you spot the point of interests a.k.a. Order Blocks, Supply and Demand zones and Fair Value Gaps. Our mission is to create the best Smart Money Concepts indicator on the market. For that we would like to receive your guy’s feedback on it.
Smart Money refers to the capital that institutional investors, central banks, and other professionals or financial institutions control. Market Structure is the foundation of price action trading, understanding price action is fundamental to SMC .
Market Structure based of fractals – We are using fractal-based market structure since it’s way stronger than for example an Eliot wave. So, we only get the clearest break of structure (BoS- Trend continuation) and Change of Character (CHoCH- Possible change of trend)
Features
- Changing the break type to either only the body or body and the wick
- Period of looking back to determine structure (combined with the supply and demand zones)
Multiple Time frame Supply and Demand – Displayed typically as the last up/down candle before a big move in the opposite direction. Great zones to entry from on the lower time frame, also you can target previous demand/supply zones as potential take profit areas.
Features
- Multiple time frame
- Changing the amount of candles to calculate the zones.
- Option to remove mitigated zones / change color
- Extending the HTF Box to current time. (If not mitigated)
Order Blocks – What we use for our lower time frame zones to enter from. It’s basically the same as supply and demand but then on a lower time frame. Most likely once prices come into your higher time frame Supply and Demand zones, we would scale down to the lower time frames and then wait for our pattern to entry.
Features
- Extending the LTF Box to current time. (If not mitigated)
- Options to remove mitigated zones / change color
Fair Value Gaps - Is also known as an imbalance. An FVG is an imbalance of orders for instance, for sellers to complete their trades, there must be buyers and vice versa so when a market receives to many of one kind of order buys or sells, and not enough of the order’s counterpart. When the amount is not balanced and to many orders are put in for one direction, it creates an imbalance where price likes to get back too. We have 2 different options that shows you all the imbalances but also one that only shows the structure breaking imbalances which we see as the most important one.
Features
- Plotting all Fair Value Gaps
- Plotting only structure breaking Fair Value Gaps
Previous Day High and Low – Will mark up the previous day high and low what could indicate that if price breaks out of the previous day high that it will most likely trend upwards. If it breaks below, it will most likely trend down for the upcoming time.
- Showing only the recent previous day high and low
- Showing all the previous high and lows
- Show nothing
Alerts – We’ve made possible that you can also choose to receive an alert on your device once price comes in to one of the supply and demand zones. (Must place the alerts function into your alert management tab on trading view) Only works if you add the alert on when you are on the same time frame as your supply and demand zones.
You can also choose to receive alerts when a supply or demand zone has been created.
Smart Money BusterAfter daytrading for a while i came into conclusion that price action trading is the most successful way to trade for me and this project was for me to simplify my way of trading at the beginning. Eventually it got big and turned into a very useful helper indicator for me to setup on different pairs for alerts and only look at the charts to decide for entry when the alerts come from 120 different pairs that i set it up. Since i always looked at indicators for a way to make my job simpler and give me more time to do more important things for me rather than drawing lines on different pairs eveyday i think it got to a point where it works to my liking and making me gain time, thus more money.
This indicator uses smart money concepts like Market Structure, Order Blocks, Quassimodo Levels, Structure Breaks, Pumps and Dumps, Imbalances(In the works will be added in first update) to help trader catch what the whales are thinking and how to enter in the right time for swing trading, catching bottoms and tops.
Here are some of the features as of release:
Detects Market Structure and draws zig-zag lines and keeps note of pivot points.
Detects Order blocks and draws boxes when the conditions met
Detects the quassimodo levels and changes the color of the box to signal double confluence meaning stronger signal
Draws structure break lines
Setting to set structure break percentage before drawing boxes to get the boxes drawn if you want to be more 'sure' about the Order Block Levels.
Setting to change depth and backstep values for zigzags to be able to let you fit the system for different time frames.
Setting to set MSB trigger point between High and Low, Close and Open or hl2 values.
Setting to set Signal Triggering Range between Start, Middle and End meaning eg. if you set it to Middle it will wait for MSB trigger point to hit the middle of the box before giving you a signal.
Setting for changing HH-LL pivot points lookback count, 5 as default. Increasing this value will make you compare your pivot points with more data, really useful in lower time frames where will be a lot of zig-zags and highs and lows giving you a method to avoid false signals. Recommended to keep it lower values on 30 min and higher and increase it in lower Timeframes according to market volatility.
Setting to add a Box limit where the box of order block will be set invalid after certain candles and it still didn't trigger. Default value of 0 means it's disabled.
Setting to set Candle volatility percentage value to avoid big candles getting opposite signals on fast pump or dump schemes and bust those market makers schemes. Gotta say this came out really handy in crypto markets :)
As an end you can set alerts for 'Buy' , ' Sell ', ' Buy and Sell' together or if you wish you can connect it to bots via webhook as an entry. Although haven't connected to any bots myself as i think the best method of trading is human and machine working together. Since we have the creativity and out of the box thinking and machines have the ability to brute force calculation and huge bandwith that we don't currently have. At least until Elon Musk turns is into a cyborg, which i am not very eager about.
Planned Features:
- Add ability to detect imbalances(fair value gaps) to add third confluence to detect dragon fruit entries. This will make the system work with triple confluence.
- Add more settings so humans can command the ai better.
- Maybe a strategy version after i write my own dynamic take profit algorithm to give system ability make quantitative decisions based on current position profit levels.
- Although i think i fixed almost all the important bugs if there ever comes up one bugs will take priority for updates.
- And some things i may decide to add later. I will keep working on this project since it works well for me.
And like always, happy trading.
CCI and ADX_by RMCCI and ADX
ENTRY:
Buy: When CCI crosses -100 level from -200 level(1hr/15min Time Frame)
Short: When CCI crosses 100 level from 200 level (1hr/15min Time Frame)
Closing of Position : 1:1 OR 1:2 (Or As per Value Zone)
FCPO IntradayThis script is specially developed for the reference of Crude Palm Oil Futures ( CPO ) market traders.
Before using this script, traders need to know a few important things, namely:
1. Use of this script is limited to the Crude Palm Oil Futures ( CPO ) market only;
2. The appropriate time-frame for the purpose of using this script is 30 minutes.
Procedures for using indicators.
1. The line on the trading day will only be known after the first candle is completed, i.e. at 10:59:59 am;
2. Then, key in order.
Entry.
The recommended max Entry is once Long and once Short only on the same day.
Long.
1. Traders can only make a purchase when the market price hits the green line;
2. If traders hold a long position, traders can make a sale to close the long position when the price hits the blue line.
Short.
1. Traders can only make a sale when the market price hits the red line;
2. If traders hold a short position, traders can make a purchase to close the short position when the price hits the orange line.
Stochastic RSI BandsStochastic RSI Bands by // © drbarry92064859
It is suggested to view this indicator on 15m or 5m timeframe with current Default Settings.
This indicator is based on the StochRsi.
It creates color bands based on the direction of multiple timeframe StochRsi.
When the MTF StochRsi's are opposed in direction it produces darker bands and when aligned in direction it produces light bands.
During Green Bands, price tends to be Bullish. During Red Bands, price tends to be Bearish.
During Medium toned Bands, price action tends to be in a correction in existing HTF trend, ranging, or getting ready for reversal.
During Light Bands, price tends to be in Trend in direction of color.
There is usually Dark Bands on either side of a light or medium toned band.
Best to enter in direction of current color, during the dark band after the medium toned bands
And exit in the dark band after the light toned band.
Brown bands tend to indicate reversal of direction and color.
I have experimented with all the timeframes and StochRSI settings and found the best settings to be as follows.
The Default settings are Middle Time Frame: 4H and Higher TimeFrame: D1.
The Default StochRSI settings are 34 RSI, 21 Stochastic, 13 smooth K and 13 smooth D.
It is suggested to use a lower timeframe such as 15m or 5m for entry.
You can experiment with different StochRSI and TimeFrame Settings.
SUGGESTED STRATEGY
Dark Bands after medium toned bands: Look for an entry on lower timeframe (15m or 5m) based on reversal candlestick formations or other indicators in direction of current color.
Light Bands: Do not enter during lighter bands. You should already be in trade during Light Bands
Light Band changes to Dark Band: Exit Trade if already in.
Look for general change of directional bias if a brown band occurs; however wait for dark band after the 2nd wide band following the brown band.
CHOCH - MSB for Supply and DemandChange of Character (CHOCH) - Market Structure Break (MSB) for Supply & Demand
Description
The script is designed as a confirmation entry tool to be used with supply and demand zones (predefined proximal and distal levels).
When price hits a predefined level it will monitor price action using fractals and an algorithm to determine a potential reversal in trend or change of trend direction.
Once this has been identified you will be alerted in order to anticipate a retracement entry. A good understanding of supply and demand concepts, odds enhancers, and how to identify fresh levels is expected to utilise it's full potential.
Indicator in use
How To Use
Apply one indicator on a higher timeframe, and another on a lower timeframe. In settings, select long for a demand zone and short for a supply zone. Use the higher timeframe to plot major supply and demand zones and a lower timeframe of your choice for the alert. You can refine your levels by manually entering the price levels in settings. The alert is set on the timeframe you set it on.
Manual Selection
Check "override custom levels" and manually enter the price levels of your proximal and distal lines. Input the time and date of your pivot point (candle). Manual selection is recommended as you can refine your zones.
Automatic Selection
Drag and drop the pivot on the candle of choice . The pivot point will mark the zone using the candle's high and low (default setting). Source for top and bottom levels can be changed in settings.
Start Control after X Bar
This defines how many bars is required (from your pivot point) before it sets to anticipate a breach.