Signal ComposerThis Signal Composer script can compose existing signals from other "Signal Indicators" into one and can forward it to the "Template Trailing Strategy".
It allows the user to combine the logic of two signals and define the conditions that will trigger the start, end, cancel start, and cancel end deals of the produced signal. A signal will be composed from those user-defined conditions.
For example, one signal indicator may have the main logic and the other the filter logic. If you want to combine more signals you may add two Signal Composer scripts and pipe the output of the first composer to the second one.
This is the "main building block" of creating a bit more complex strategies without writing any code.
The "indicator on indicator" feature is needed so you can forward the resulting signal to the "Template Trailing Strategy" so that you can set take profits, stop losses, custom alerts, and all other nifty features this framework provides.
Thus, you should be a Plus or Premium user to get its full potential. It is very convenient for those who want to create a strategy without coding their own signal indicator and for those who want to fast-prototype various ideas based on simple but composable conditions.
It can nicely be combined with the "Signal Adapter" which combines simple (non-signal) indicators and produces a signal. This is a recipe to build fast and backtest more complex strategy logic.
This approach has a fail-fast mentality! Keep, in mind that you can code a single signal indicator with your composed logic later on only if the idea turns out to be "good enough".
P-signal
Signal AdapterThis Signal Adapter script can compose a signal based on inputs from other simple (non-signal) indicators and can forwards it to the "Template Trailing Strategy".
It allows the user to combine up to eight external inputs and define the conditions that will trigger the start, end, cancel start and cancel end deals.
A signal will be composed from those user-defined conditions. The "indicator on indicator" feature is needed so you can forward the resulted signal to the "Template Trailing Strategy".
Thus you should be Plus or Premium user to get it's full potential. It is very convenient for those who want to create a strategy without coding their own signal indicator and for those
who want to fast prototype various ideas based on simple conditions.
TTP Green/Red Consecutive CandlesThis indicator counts consecutive green/red candles offering some basic statistics and signals/alerts.
Features
- Counts consecutive green/red candles in an oscillator chart
- Moving average of the counting helps spotting when the consecutive candles are away from the mean. MA length and multiplier to adjust the signal sensitivity.
- Thresholds can be set to backtest and send alerts on any number of arbitrary consecutive candles of the same color.
- All time highs: the indicator keeps track of when the maximum has been reached
- Distribution data: the number of times each number of consecutive color candles has been reached is offered 
Signals
- Threshold signal triggers when the number of candles of the same color is above the specified threshold.
- MA cross signal triggers when the number of candles of the same color is above the MA. 
signal_datagramThe purpose of this library is to split and merge an integer into useful pieces of information that can easily handled and plotted.
The basic piece of information is one word. Depending on the underlying numerical system a word can be a bit, octal, digit, nibble, or byte.
The user can define channels. Channels are named groups of words. Multiple words can be combined to increase the value range of a channel.
A datagram is a description of the user-defined channels in an also user-defined numeric system that also contains all runtime information that is necessary to split and merge the integer.
This library simplifies the communication between two scripts by allowing the user to define the same datagram in both scripts.
On the sender's side, the channel values can be merged into one single integer value called signal. This signal can be 'emitted' using the plot function. The other script can use the 'input.source' function to receive that signal.
On the receiver's end based on the same datagram, the signal can be split into several channels. Each channel has the piece of information that the sender script put.
In the example of this library, we use two channels and we have split the integer in half. However, the user can add new channels, change them, and give meaning to them according to the functionality he wants to implement and the type of information he wants to communicate.
Nowadays many 'input.source' calls are allowed to pass information between the scripts, When that is not a price or a floating value, this library is very useful.
The reason is that most of the time, the convention that is used is not clear enough and it is easy to do things the wrong way or break them later on.
With this library validation checks are done during the initialization minimizing the possibility of error due to some misconceptions.
Library   "signal_datagram" 
Conversion of a datagram type to a signal that can be "send" as a single value from an indicator to a strategy script
 method init(this, positions, maxWords) 
  init - Initialize if the word positons array with an empty array
  Namespace types: WordPosArray
  Parameters:
     this (WordPosArray) : - The word positions array object
     positions (int ) : - The array that contains all the positions of the worlds that shape the channel
     maxWords (int) : - The maximum words allowed based on the span
  Returns: The initialized object
 method init(this) 
  init - Initialize if the channels word positons map with an empty map
  Namespace types: ChannelDesc
  Parameters:
     this (ChannelDesc) : - The channels' descriptor object
  Returns: The initialized object
 method init(this, numericSystem, channelDesc) 
  init - Initialize if the datagram
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object
     numericSystem (simple string) : - The numeric system of the words to be used
     channelDesc (ChannelDesc) : - The channels descriptor that contains the positions of the words that each channel consists of
  Returns: The initialized object
 method add_channel(this, name, positions) 
  add_channel - Add a new channel descriptopn with its name and its corresponding word positons to the map
  Namespace types: ChannelDesc
  Parameters:
     this (ChannelDesc) : - The channels' descriptor object to update
     name (simple string) 
     positions (int ) 
  Returns: The initialized object
 method set_signal(this, value) 
  set_signal - Set the signal value
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     value (int) : - The signal value to set
 method get_signal(this) 
  get_signal - Get the signal value
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
  Returns: The value of the signal in digits
 method set_signal_sign(this, sign) 
  set_signal_sign - Set the signal sign
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     sign (int) : - The negative -1 or positive 1 sign of the underlying value
 method get_signal_sign(this) 
  get_signal_sign - Get the signal sign
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
  Returns: The sign of the signal value -1 if it is negative and 1 if it is possitive
 method get_channel_names(this) 
  get_channel_names - Get an array of all channel names
  Namespace types: Datagram
  Parameters:
     this (Datagram) 
  Returns: An array that has all the channel names that are used by the datagram
 method set_channel_value(this, channelName, value) 
  set_channel_value - Set the value of the channel
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     channelName (simple string) : - The name of the channel to set the value to. Then name should be as described int the schemas channel descriptor
     value (int) : - The channel value to set
 method set_all_channels_value(this, value) 
  set_all_channels_value - Set the value of all the channels
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
     value (int) : - The channel value to set
 method set_all_channels_max_value(this) 
  set_all_channels_value - Set the value of all the channels
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to update
 method get_channel_value(this, channelName) 
  get_channel_value - Get the value of the channel
  Namespace types: Datagram
  Parameters:
     this (Datagram) : - The datagram object to query
     channelName (simple string) 
  Returns: Digit group of words (bits/octals/digits/nibbles/hexes/bytes) found at the channel accodring to the schema
 WordDesc 
  Fields:
     numericSystem (series__string) 
     span (series__integer) 
 WordPosArray 
  Fields:
     positions (array__integer) 
 ChannelDesc 
  Fields:
     map (map__series__string:|WordPosArray|#OBJ) 
 Schema 
  Fields:
     wordDesc (|WordDesc|#OBJ) 
     channelDesc (|ChannelDesc|#OBJ) 
 Signal 
  Fields:
     value (series__integer) 
     isNegative (series__bool) 
     words (array__integer) 
 Datagram 
  Fields:
     schema (|Schema|#OBJ) 
     signal (|Signal|#OBJ)
Smoothing ATR bandThere are two bands calculated with the ATR and I added "Smoothing" into the script.
Smoothing ATR with multiplier can display two bands above and below the price.
We can ONLY find some ATR bands in Community Scripts with "Basic" setting which is used to set Stop Loss.
And yet , Smoothing ATR with multiplier is capable of making traders manifestly recognize OverBought & OverSold.
FurtherMore, I added a condition with "plotshape", which is  "Stop Hunt" 
Stop Hunt is an absolutely usual strategy to clean the leverage and it always makes high volatility moves.
  
When high> above band and close< above band , long signal, it means it had been abundantly bought but the larger traders weren't satisfied; therefore, they quickly sold out to lower the price. The sell condition is on the contrary.
The signals mainly make traders manifestly recognize OverBought & OverSold.
TradeLibrary   "Trade" 
A Trade Tracking Library
Monitor conditions with less code by using Arrays. When your conditions are met in chronologically, a signal is returned and the scanning starts again.
Create trades automatically with Stop Loss, Take Profit and Entry. The trades will automatically track based on the market movement and update when the targets are hit.
 
 Sample Usage 
Enter a buy trade when RSI crosses below 70 then crosses above 80 before it crosses 40.
 Note: If RSI crosses 40 before 80, No trade will be entered. 
 
rsi = ta.rsi(close, 21)
buyConditions = array.new_bool()
buyConditions.push(ta.crossunder(rsi, 70))
buyConditions.push(ta.crossover(rsi, 80))
buy = Trade.signal(buyConditions, ta.crossunder(rsi, 40))
trade = Trade.new(close-(100*syminfo.mintick), close +(200*syminfo.mintick), condition=buy)
plot(trade.takeprofit, "TP", style=plot.style_circles, linewidth=4, color=color.lime)
alertcondition(trade.tp_hit, "TP Hit")
 
 
 method signal(conditions, reset) 
  Signal Conditions
  Namespace types: bool 
  Parameters:
     conditions (bool ) 
     reset (bool) 
  Returns: Boolean: True when all the conditions have occured
 method update(this, stoploss, takeprofit, entry) 
  Update Trade Parameters
  Namespace types: Trade
  Parameters:
     this (Trade) 
     stoploss (float) 
     takeprofit (float) 
     entry (float) 
  Returns: nothing
 method clear(this) 
  Clear Trade Parameters
  Namespace types: Trade
  Parameters:
     this (Trade) 
  Returns: nothing
 method track(this, _high, _low) 
  Track Trade Parameters
  Namespace types: Trade
  Parameters:
     this (Trade) 
     _high (float) 
     _low (float) 
  Returns: nothing
 new(stoploss, takeprofit, entry, _high, _low, condition, update) 
  New Trade with tracking
  Parameters:
     stoploss (float) 
     takeprofit (float) 
     entry (float) 
     _high (float) 
     _low (float) 
     condition (bool) 
     update (bool) 
  Returns: a Trade with targets and updates if stoploss or takeprofit is hit
 new() 
  New Empty Trade
  Returns: an empty trade
 Trade 
  Fields:
     stoploss (series__float) 
     takeprofit (series__float) 
     entry (series__float) 
     sl_hit (series__bool) 
     tp_hit (series__bool) 
     open (series__integer)
Parabolic SAR + EMA 200 + MACD SignalsParabolic SAR + EMA 200 + MACD Signals Indicator, a powerful tool designed to help traders identify optimal entry points in the market.
This indicator combines three popular technical indicators: Parabolic SAR (Stop and Reverse), EMA200 (Exponential Moving Average 200) and MACD (Moving Average Convergence Divergence) - to provide clear and concise buy and sell signals based on market trends.
The MACD component of this indicator calculates the difference between two exponentially smoothed moving averages, providing insight into the trend strength of the market. The Parabolic SAR component helps identify potential price reversals, while the EMA200 acts as a key level of support and resistance, providing additional confirmation of the overall trend direction.
Whether you're a seasoned trader or just starting out, the MACD-Parabolic SAR-EMA200 Indicator is a must-have tool for anyone looking to improve their trading strategy and maximize profits in today's dynamic markets.
 Buy conditions 
 
  The price should be above the EMA 200
  Parabolic SAR should show an upward trend
  MACD Delta should be positive
 
 ُSell conditions 
 
  The price should be below the EMA 200
  Parabolic SAR should show an downward trend
  MACD Delta should be negative
 
Reversal Signals [LuxAlgo]The Reversal Signals indicator is a technical analysis tool that aims to identify when a trend is fading and potentially starting to reverse. 
As a counter-trend tool, the Reversal Signals indicator aims to solve the problem of several technical analysis indicators that perform well during trending markets but struggle in ranging markets. By understanding the key concepts and applications of the tool, traders can enhance their market timing and improve their trading strategies.
Note: It's important to explore the settings of the indicator to customize to your own usage & display as there are various options available as covered below.
 🔶 USAGE 
  
The Reversal Signals indicator is comprised of two main phases:  Momentum Phase  and  Trend Exhaustion Phase . These phases help identify potential trend reversals in bullish, bearish, and ranging markets.
 🔹The Momentum Phase 
The momentum phase consists of a 9-candle count and in rare cases 8-candle count. In a bullish trend, a starting number ‘1’ is plotted if a candle closes higher than the close of a candle four periods ago. In a bearish trend, a starting number ‘1’ is plotted if a candle closes lower than the close of a candle four periods ago. 
The following numbers are plotted when each successive candle satisfies the four-period rule. The potential reversal point comes when the Reversal Signals plot a label on top of a candle in a bullish trend or at the bottom of a candle in a bearish trend. The momentum phase is immediately canceled if, at any point, a candle fails to satisfy the four-period rule.
Based on the extremes of the momentum phase, the Reversal Signals generate support & resistance levels as well as risk/stop levels.
  
 🔹 The Trend Exhaustion Phase 
The trend exhaustion phase starts after completing the momentum phase and consists of a 13-candle count. In a bullish trend exhaustion phase, each candle’s close is compared to the close of two candles earlier, and the close must be greater than the close two periods earlier. In a bearish trend exhaustion phase, each candle’s close is compared to the close of two candles earlier, and the close must be lower than the close two periods earlier. 
The trend exhaustion phase does not require a consecutive sequence of candles; if the order of candles is interrupted, the trend exhaustion phase is not canceled. The trend exhaustion phase generates stronger trading signals than the momentum phase, with the potential for longer-lasting price reversals.
  
 🔹 Trading Signals 
The Reversal Signals script presents an overall setup and some phase-specific trade setup options, where probable trades might be considered. All phase-specific trade setups, presented as options, are triggered once the selected phase is completed and followed by a price flip in the direction of the trade setup. 
 Please note that those setups are presented for educational purposes only and do not constitutes professional and/or financial advice 
- Momentum: Enter a trade at momentum phase completion, and search for buy (sell) when the bullish (bearish) momentum phase pattern is complete. Ideally, the momentum phase completion should close near its support/resistance line but shall not be above them, which indicates continuation of the trend
- Exhaustion: Enter a trade on trend exhaustion phase completion, and search for buy (sell) when the bullish (bearish) trend exhaustion phase is complete
- Qualified: Buy (sell) when a bullish (bearish) trend exhaustion phase combined with another bullish (bearish) momentum phase sequence is complete
Long trade setups are presented with "L" label and short trade setups with "S" label, where the content of the label displays details related to the probable trade opportunity
Once a phase-specific trade setup is triggered then the Reversal Signals script keeps checking the status of the price action relative to the phase-specific trade setups and in case something goes wrong presents a caution label. Pay attention to the content of the caution labels as well as where they appear. A trade signal, followed immediately by a warning indication can be assumed as a continuation of the underlying trend and can be traded in the opposite direction of the suggested signal
  
It is strongly advised to confirm trading setups in conjunction with other forms of technical and fundamental analysis, including technical indicators, chart/candlestick pattern analysis, etc.
 🔶 DETAILS 
The Reversal Signals script performs the detection of the phases by counting the candlestick meeting the specific conditions, which includes:
 - Detection of the 8th and 9th candle perfection during the momentum phase
 - In some cases, the 8th count will be assumed as momentum phase completion 
 - Trend exhaustion phase counting stops in case any type of momentum phase completion is detected during the counting process
 - Postponing the last count of the trend exhaustion phase, the 13th candle must be below/above the 8th candle and if not the candles will be indicated with '+' sign under them and the script continues to search for a 13th candle at the next ones until the conditions are met
 🔶 ALERTS 
When an alert is configured, the user will have the ability to be notified in case;
 
  Momentum / Trend Exhaustion phase completion
  Support & Resistance level cross detection
  Stop / Risk level cross detection
  Long / Short Trade Setups are triggered
 
Please note, alerts are available with 'any alert() function call' and the alerts will be received only for the features that are enabled during alert configuration
 🔶 SETTINGS 
 🔹 Momentum Phase 
 
 Display Phases: displays the momentum phases, where the Completed option allows the display of only completed momentum phases. The detailed option allows the display of the entire process of the momentum phase processes
 Support & Resistance Levels: Toggles the visibility of the Support & Resistance Levels and Line Styling options
 Momentum Phase Risk Levels: Toggles the visibility of the momentum phase Stop/Risk Levels and Line Styling options
 
For color options please refer to the options available under the style tab
 🔹 Trend Exhaustion Phase 
 
 Display Phases: displays the trend exhaustion phases, where the Completed option allows the display of only completed trend exhaustion phases. The detailed option allows the display of the entire process of the trend exhaustion phase processes
 Trend Exhaustion Phase Risk Levels: Toggles the visibility of the trend exhaustion phase Stop/Risk Levels
 Trend Exhaustion Phase Target Levels: Toggles the visibility of the trend exhaustion phase Target Levels
 
For color options please refer to the options available under the style tab
 🔹 Trade Setups 
 
 Overall Trend Direction & Trade Setup: displays the overall trend and probable trade setup levels, the users should search for a price flip and confirm with other means of technical and fundamental analysis for the trade setups once the label is plotted
  Phase-Specific Trade Setup Options
 Momentum: Searches for a trade setup after momentum phase completion 
 Exhaustion: Searches for a trade setup after trend exhaustion phase completion, stronger trend reversal possibility compared to momentum phase setup  
 Qualified: Searches for a trade setup after the trend exhaustion phase followed by a momentum phase completion
 None: No trade setups are presented 
 Price Flips against the Phase Specific Trade Setups: enables checking the price action relative to the phase-specific trade setups
 
 🔶 RELATED SCRIPTS 
Here are the scripts that may add additional insight during potential trading decisions.
 
   Buyside-Sellside-Liquidity 
   Support-Resistance-Classification 
Boftei's StrategyI wrote this strategy about a year ago, but decided to publish it just now. I have not been able to implement this strategy in the market. If you can, then I will be happy for you.
This strategy is based on my "Botvenko Script". (It finds the difference between the logarithms of closing prices from different days.) (Check this script in my profile)
Then the strategy makes trades when the "Botvenko Script" indicator crosses the levels set earlier and manually selected for each currency pair/shares: long/short opening/closing levels, long/short re-entry levels. (They are drawn with horizontal dotted lines.) The names of these lines are: buy/sell level, long/short retry - too low/high, long close up/down, dead - close the short. Manual selection of each of the parameters provides a qualitative entry of the strategy into the deal. However, without restraining mechanisms, the strategy enters into rather controversial deals. In order to avoid going long/short during bear/bull markets, which is unacceptable, I added a fan of EMA lines.
The fan consists of several EMA lines, which are set according to Fibonacci numbers (21, 55, 89, 144). If the lines in the fan are arranged in ascending order (ema_21>ema_55 and ema_55>ema_89 and ema_89>ema_144), then this indicates a bull market, during which I banned shorting. And vice versa: during the bear market (ema_21
DojiCandle body size RSI-SMMA filter MTF
 DojiCandle body size RSI-SMMA filter MTF 
Hi. I was inspired by a public script written by @ahmedirshad419,   . 
I thank him for his idea and hard work.
His script is the combination of RSI and Engulfing Pattern.
//------------------------------------------------------------
I decided to tweak it a bit with Open IA. 
I have changed: 
1) candle pattern to DojiCandle Pattern; 
2) I added the ability for the user to change the size of the candlestick body; 
3) Added SMMA 200;
4) Changed the colour of SMMA 200 depending on price direction;
5) Added a change in the colour of candlesticks, depending on the colour of the SMMA 200;
6) Added buy and sell signals with indicator name, ticker and close price; 
7) Added ability to use indicator on multi time frame.
 How it works 
1. when RSI > 70 > SMMA 200 and form the bullish DojiCandle Pattern. It gives sell signal
2. when RSI < 30 < SMMA 200 and form the bearish DojiCandle Pattern. It gives buy signal
settings:
basic setting for RSI, SMMA 200 has been enabled in the script to set the levels accordingly to your trades
  
Enjoy 
Signal ViewerThe "Signal Viewer" script is a debugging tool that can be used for the signal of a Signal Indicator script like the "Two MA Signal Indicator" or the "Template Signal Indicator". This script will visualize the signal based on the convention that was defined in the settings. Also, alerts will be produced based on this convention. It's useful to be used before you connect the signal indicator script to a template strategy like the "Template Trailing Strategy" script. You can cross-validate the correctness of the signal that the indicators emit and make sure it is aligned with the expected behavior after the decomposition of the signal using the convention described in the settings. Please make sure that the connection in the "Signal Viewer" script matches the convention used by the template strategy script.
Daily Number/Trend Reversal IndicatorIndicator identifies potential price trend exhaustion.
Compares this period against the 4th prior period for the condition.
9 periods (or more) with the same condition is an indicator that the trend is ending soon.
SignalBuilderSignalBuilder 
Utility for building a collection of signal values.  Provides a default view for displaying signals.
 
  Simplified API for aggregating signal values.
  Flexible for use with indicators and strategies.
 
See the demo section for an example.
TurntLibraryLibrary   "TurntLibrary" 
Collection of functions created for simplification/easy referencing. Includes variations of moving averages, length value oscillators, and a few other simple functions based upon HH/LL values.
 ma(source, length, type) 
  Apply a moving average to a float value
  Parameters:
     source : Value to be used 
     length : Number of bars to include in calculation
     type : Moving average type to use ("SMA","EMA","RMA","WMA","VWAP","SWMA","LRC")
  Returns: Smoothed value of initial float value
 curve(src, len, lb1, lb2) 
  Exaggerates curves of a float value designed for use as an exit signal.
  Parameters:
     src : Initial value to curve
     len : Number of bars to include in calculation
     lb1 : (Default = 1) First lookback length 
     lb2 : (Default = 2) Second lookback length 
  Returns: Curved Average
 fragma(src, len, space, str) 
  Average of a moving average and the previous value of the moving average
  Parameters:
     src : Initial float value to use
     len : Number of bars to include in calculation
     space : Lookback integer for second half of average
     str : Moving average type to use ("SMA","EMA","RMA","WMA","VWAP","SWMA","LRC")
  Returns: Fragmented Average
 maxmin(x, y) 
  Difference of 2 float values, subtracting the lowest from the highest
  Parameters:
     x : Value 1
     y : Value 2
  Returns: The +Difference between 2 float values
 oscLen(val, type) 
  Variable Length using a oscillator value and a corresponding slope shape ("Incline",Decline","Peak","Trough")
  Parameters:
     val : Oscillator Value to use 
     type : Slope of length curve ("Incline",Decline","Peak","Trough")
  Returns: Variable Length Integer
 hlAverage(val, smooth, max, min, type, include) 
  Average of HH,LL with variable lengths based on the slope shape ("Incline","Decline","Trough") value relative to highest and lowest
  Parameters:
     val : Source Value to use 
     smooth 
     max 
     min 
     type 
     include : Add "val" to the averaging process, instead of more weight to highest or lowest value  
  Returns: Variable Length Average of Highest Lowest "val"
 pct(val) 
  Convert a positive float / price to a percentage of it's highest value on record
  Parameters:
     val : Value To convert to a percentage of it's highest value ever 
  Returns: Percentage
 hlrange(x, len) 
  Difference between Highest High and Lowest Low of float value
  Parameters:
     x : Value to use in calculation
     len : Number of bars to include in calculation
  Returns: Difference
 midpoint(x, len, smooth) 
  The average value of the float's Highest High and Lowest Low in a number of bars
  Parameters:
     x : Value to use in calculation 
     len 
     smooth : (Default=na) Optional smoothing type to use ("SMA","EMA","RMA","WMA","VWAP","SWMA","LRC")
  Returns: Midpoint
Signal AnalyzerThis library contains functions that try to analyze trading signals performance.
Like the % of average returns after a long or short signal is provided or the number of times that signal was correct, in the inmediate 2 candles after the signal.
Band of Filtered RS by Mustafa ÖZVERBand of Filtered RS by Mustafa ÖZVER 
This code shows a range (max-min values) price may get if we get strong movements. These values is based on RSI (Relative Strange Index). And also these are calculated using RSI, if we get trades to make rsi is equal to 25 (or rsi down limit) or 75 (rsi up limit) or any value you set, how much will price value get? This code calculate these and shows these to you on graph.
This price are between these band limits because we expect cross reaction to hard movements on price.
For scalping, we can use these values as
long signal when price under down limit,
short signal when price over up limit,
But only these values can not guarantee good results for trading. BE CAREFUL
HeikinAshi / MS-Signal (HA-MS)Hello?
Traders, welcome.
If you "Follow", you can always get new information quickly.
Please also click "Boost".
Have a good day.
-------------------------------------
I would like to take the time to explain the indicators needed for trading among the two indicator formulas previously disclosed.
The HA-MS indicator is an indicator created using the Heikin Ashi formula and the MACD formula.
Therefore, the reliability of the indicator is considered to be high.
If you want a comprehensive indicator, you can share the chart being published as an idea and use the MRHAB-T indicator.
The shared indicators can be used without any restrictions if you are a paid member of TradingView.
(Free members have many restrictions on sharing charts.)
The MS-Signal indicator using MACD is an indicator composed of M-Signal and S-Signal lines.
I made it possible to display the M-Signal line of the 1D, 1W, and 1M charts separately so that the trend can be checked on other timeframe charts.
Therefore, by looking at the 15m chart or 1h chart to check the overall trend when trading, we prevented getting caught up in temporary volatility, that is, a whipsaw, and made this M-Signal line to be used as support and resistance.
If you touch these M-Signal lines when a surge or plunge occurs, it means that there is a high possibility of indicating support or resistance.
If the 5EMA line on the 1D chart rises above the 5EMA line enough to be called a soaring moving average, it means that there is a high possibility of a sudden movement.
Therefore, the 5EMA line of the 1D chart is displayed separately so that it can be checked in time frames other than 1D (15m, 1h charts, etc.).
This 5EMA line can also be used as support and resistance like the M-Signal line of the 1D, 1W, and 1M charts described above.
The MS-Signal indicator is for viewing trends.
So, if the price stays above the MS-Signal indicator and the MS-Signal indicator turns into a bullish sign, it means that the uptrend is likely to continue.
Conversely, if the price stays below the MS-Signal indicator and the MS-Signal indicator turns to a bearish sign, then the downtrend is likely to continue.
Therefore, even if it temporarily rises above the MS-Signal indicator, it cannot be said that it will show an uptrend unless it is converted to an uptrend.
So, when the price surges and rises above the MS-Signal indicator, it is important to hold the price until the MS-Signal indicator turns into an uptrend.
If the HA-Low line or HA-High line is passing through these movements, you should respond by looking at whether you are supported or resisted on these lines.
The HA-Low line and the HA-High line are lines created for trading using Heikin Ashi candles.
Therefore, it can be interpreted that if it is supported by the HA-Low or HA-High line, it is highly likely to show an uptrend.
However, since the HA-Low and HA-High lines are calculated together with the RSI indicator, they are displayed on the chart as interactions.
The HA-Low line is a line created near the low point,
The HA-High line is a line created near the high point.
Therefore, if it shows support at the HA-Low line, it is time to buy.
And, if the price rises and rises above the HA-High line, it is likely to show a sharp movement.
Because of this movement, the HA-Low line is called the buy line, and the HA-High line is called the soaring line.
Since the HA-High line is a soaring line, if it is resisted by the HA-High line, it also means that there is a high possibility of a sharp decline.
If you see support at the HA-High line, you can buy it, but as I said, it is a sharp rise line, so you have to respond from a short-term perspective.
The Heikin Ashi body indicator is significant as it marks the first trend reversal.
So, you can see the first reversal move, either when the price first makes a move from a downtrend to an uptrend, or when the price first makes a move from an uptrend to a downtrend.
For example, if the price is in a downtrend and stops falling and moves sideways or rises slightly, the Heikin Ashi body indicator is likely to turn into an uptrend.
If this turns into a bullish sign, aggressive buying is possible.
However, since there is a high possibility that it will not rise higher and fall immediately, it is better to think of a trading strategy when it shows support by rising above the 5EMA line, HA-Low line, and MS-Signal indicator.
Let's assume that from an uptrend in price, the Heikin Ashi body indicator turns to a downtrend.
Then, if you touch the 5EMA line, the HA-High line, and the MS_Signal indicator, I think you can buy some time to think about a selling strategy.
-------------------------------------------------- -
It doesn't matter how you trade and what tools you use.
What matters is whether you can create a trading strategy.
We tend to spend more time on analysis like chart analysis, economic analysis.
Also, many analytical techniques are studied to do this kind of analysis.
I have spent a lot of time studying various analysis techniques and putting a lot of effort into using them in trading.
However, I realized that acquiring all of these things did not make me a good trader.
The indicators released today also do not mean much in reality.
It merely provides minimal information for creating a trading strategy.
I think it is better to put aside the idea of investing a lot of time in chart analysis and economic analysis and proceeding with trading.
Instead, I recommend spending a lot of time thinking about how to buy at the point or section you are trading, how to sell if the price rises, and how to stop loss if the price falls.
Quickly learn that learning difficult analytical techniques doesn't make you profitable on your trades.
I hope you understand.
An analytical technique or tool that allows you to earn a steady income is the best technique.
Creating a trading strategy is not difficult.
It's just that it feels difficult because I haven't organized my thoughts until now.
trading strategy
1. Investment period
2. Investment scale
3. Trading method and profit realization method
You just need to think in order and then start trading.
The most important thing in this trading strategy is the investment period.
The most important thing is whether to trade the coin (token) you want to trade by investing for a period such as the same day, short term, mid term, or long term.
This is because even though this first button is not connected properly, the following fund management and trading methods are all wrong.
I hope the day will come soon when you can play with the movement of the chart and get away from wrestling with the chart.
thank you.
---------------------------------
Davin's 10/200MA Pullback on SPY Strategy v2.0Strategy:
Using 10 and 200 Simple moving averages, we capitalize on price pullbacks on a general uptrend to scalp 1 - 5% rebounds. 200 MA is used as a general indicator for bullish sentiment, 10 MA is used to identify pullbacks in the short term for buy entries. 
An optional bonus: market crash of 20% from 52 days high is regarded as a buy the dip signal.
An optional bonus: can choose to exit on MA crossovers using 200 MA as reference MA (etc. Hard stop on 50 cross 200)
Recommended Ticker: SPY 1D (I have so far tested on SPY and other big indexes only, other stocks appear to be too volatile to use the same short period SMA parameters effectively) + AAPL 4H
How it works:
Buy condition is when:
- Price closes above 200 SMA
- Price closes below 10 SMA
- Price dumps at least 20% (additional bonus contrarian buy the dip option)
Entry is on the next opening market day the day after the buy condition candle was fulfilled.
Sell Condition is when:
- Prices closes below 10 SMA
- Hard stop at 15% drawdown from entry price (adjustable parameter)
- Hard stop at medium term and long term MA crossovers (adjustable parameters)
So far this strategy has been pretty effective for me, feel free to try it out and let me know in the comments how you found :)
Feel free to suggest new strategy ideas for discussion and indicator building
Candlestick Pattern Criteria and Analysis Indicator█  OVERVIEW 
Define, then locate the presence of a candle that fits a specific criteria. Run a basic calculation on what happens after such a candle occurs. 
Here, I’m not giving you an edge, but I’m giving you a clear way to find one. 
 IMPORTANT NOTE: PLEASE READ:
THE INDICATOR WILL ALWAYS INITIALLY LOAD WITH A RUNTIME ERROR. WHEN INITIALLY LOADED THERE NO CRITERIA SELECTED.  
If you do not select a criteria or run a search for a criteria that doesn’t exist, you will get a runtime error. If you want to force the chart to load anyway, enable the debug panel at the bottom of the settings menu.
Who this is for:
- People who want to engage in TradingView for tedious and challenging data analysis related to candlestick measurement and occurrence rate and signal bar relationships with subsequent bars. People who don’t know but want to figure out what a strong bullish bar or a strong bearish bar is.
Who this is not for:
- People who want to be told by an indicator what is good or bad or buy or sell. Also, not for people that don’t have any clear idea on what they think is a strong bullish bar or a strong bearish bar and aren’t willing to put in the work.
Recommendation: Use on the candle resolution that accurately reflects your typical holding period. If you typically hold a trade for 3 weeks, use 3W candles. If you hold a trade for 3 minutes, use 3m candles.
Tldr; Read the tool tips and everything above this line. Let me know any issues that arise or questions you have.
█  CONCEPTS 
Many trading styles indicate that a certain candle construct implies a bearish or bullish future for price. That said, it is also common to add to that idea that the context matters. Of course, this is how you end up with all manner of candlestick patterns accounting for thousands of pages of literature. No matter the context though, we can distill a discretionary trader's decision to take a trade based on one very basic premise: “A trader decides to take a trade on the basis of the rightmost candle's construction and what he/she believes that candle construct implies about the future price.” This indicator vets that trader’s theory in the most basic way possible. It finds the instances of any candle construction and takes a look at what happens on the next bar. This current bar is our  “Signal Bar.” 
█  GUIDE 
I said that we vet the theory in the most basic way possible. But, in truth, this indicator is very complex as a result of there being thousands of ways to define a ‘strong’ candle. And you get to define things on a very granular level with this indicator. 
 Features: 
1. Candle Highlighting
 
 When the user’s criteria is met, the candle is highlighted on the chart. 
 The following candle is highlighted based on whether it breaks out, breaks down, or is an inside bar.
2. User-Defined Criteria
Criteria that you define include:
 
 Candle Type: Bull bars, Bear bars, or both
 Candle Attributes
 Average Size based on Standard Deviation or Average of all potential bars in price history
 Search within a specific price range
 Search within a specific time range
 Clarify time range using defined sessions and with or without weekends
 
3. Strike Lines on Candle
Often you want to know how price reacts when it gets back to a certain candle. Also it might be true that candle types cluster in a price region. This can be identified visually by adding lines that extend right on candles that fit the criteria. 
4. User-Defined Context
Labeled “Alternative Criteria,” this facet of the script allows the user to take the context provided from another indicator and import it into the indicator to use as a overriding criteria. To account for the fact that the external indicator must be imported as a float value, true (criteria of external indicator is met) must be imported as 1 and false (criteria of external indicator is not met) as 0.  Basically a binary Boolean. This can be used to create context, such as in the case of a traditional fractal, or can be used to pair with other signals.
If you know how to code in Pinescript, you can save a copy and simply add your own code to the section indicated in the code and set your bull and bear variables accordingly and the code should compile just fine with no further editing needed. 
Included with the script to maximize out-of-the-box functionality, there is preloaded as alternative criteria a code snippet. The criteria is met on the bull side when the current candle close breaks out above the prior candle high. The bear criteria is met when the close breaks below the prior candle. When Alternate Criteria is run by itself, this is the only criteria set and bars are highlighted when it is true. You can qualify these candles by adding additional attributes that you think would fit well. 
Using Alternative Criteria, you are essentially setting a filter for the rest of the criteria.
5. Extensive Read Out in the Data Window (right side bar pop out window). 
As you can see in the thumbnail, there is pasted a copy of the Data Window Dialogue. I am doubtful I can get the thumbnail to load up perfectly aligned. Its hard to get all these data points in here. It may be better suited for a table at this point. Let me know what you think. 
The primary, but not exclusive, purpose of what is in the Data Window is to talk about how often your criteria happens and what happens on the next bar. There are a lot of pieces to this.
 
 Red = Values pertaining to the size of the current bar only
 Blue = Values pertaining or related to the total number of signals
 Green = Values pertaining to the signal bars themselves, including their measurements
 Purple = Values pertaining to bullish bars that happen after the signal bar
 Fuchsia = Values pertaining to bearish bars that happen after the signal bar
 Lime = Last four rows which are your percentage occurrence vs total signals percentages
 
The best way I can explain how to understand parts you don’t understand otherwise in the data window is search the title of the row in the code using ‘ctrl+f’ and look at it and see if it makes more sense. 
█  [b}Available Candle Attributes 
Candle attributes can be used in any combination. They include:
 
 [*}Bodies
 [*}High/Low Range
 [*}Upper Wick
 [*}Lower Wick
 [*}Average Size
 [*}Alternative Criteria
 
Criteria will evaluate each attribute independently. If none is set for a particular attribute it is bypassed. 
Criteria Quantity can be in  Ticks, Points, or Percentage.  For percentage keep in mind if using anything involving the candle range will not work well with percentage. 
Criteria Operators are  “Greater Than,” “Less Than,” and “Threshold.”  Threshold means within a range of two numbers.
█  Problems with this methodology and opportunities for future development: 
#1 This kind of work is hard. 
If you know what you’re doing you might be able to find success changing out the inputs for loops and logging results in arrays or matrices, but to manually go through and test various criteria is a lot of work. However, it is rewarding. At the time of publication in early Oct 2022, you will quickly find that you get MUCH more follow through on bear bars than bull bars. That should be obvious because we’re in the middle of a bear market, but you can still work with the parameters and contextual inputs to determine what maximizes your probability. I’ve found configurations that yield 70% probability across the full series of bars. That’s an edge. That means that 70% of the time, when this criteria is met, the next bar puts you in profit. 
#2 The script is VERY heavy. 
Takes an eternity to load. But, give it a break, it’s doing a heck of a lot! There is 10 unique arrays in here and a loop that is a bit heavy but gives us the debug window.
#3 If you don’t have a clear idea its hard to know where to start. 
There are a lot of levers to pull on in this script. Knowing which ones are useful and meaningful is very challenging. Combine that with long load times… its not great. 
#4 Your brain is the only thing that can optimize your results because the criteria come from your mind. 
Machine learning would be much more useful here, but for now, you are the machine. Learn. 
#5 You can’t save your settings.
So, when you find a good combo, you’ll have to write it down elsewhere for future reference. It would be nice if we could save templates on custom indicators like we can on some of the built in drawing tools, but I’ve had no success in that. So, I recommend screenshotting your settings and saving them in Notion.so or some other solid record keeping database. Then you can go back and retrieve those settings. 
#6 no way to export these results into conditions that can be copy/pasted into another script. 
Copy/Paste of labels or tables would be the best feature ever at this point. Because you could take the criteria and put it in a label, copy it and drop it into another strategy script or something. But… men can dream. 
█   Opportunities to PineCoders Learn: 
1. In this script I’m importing libraries, showing some of my libraries functionality. Hopefully that gives you some ideas on how to use them too. 
 
 The price displacement library (which I love!)
 Creative and conventional ways of using debug()
 how to display arrays and matrices on charts
 I didn’t call in the library that holds the backtesting function. But, also demonstrating, you can always pull the library up and just copy/paste the function out of there and into your script. That’s fine to do a lot of the time. 
2. I am using REALLY complicated logic in this script (at least for me). I included extensive descriptions of this ? : logic in the text of the script. I also did my best to bracket () my logic groups to demonstrate how they fit together, both for you and my future self. 
3. The breakout, built-in, “alternative criteria” is actually a small bit of genius built in there if you want to take the time to understand that block of code and think about some of the larger implications of the method deployed. 
As always, a big thank you to TradingView and the Pinescript community, the Pinescript pros who have mentored me, and all of you who I am privileged to help in their Pinescripting journey. 
 "Those who stay will become champions" - Bo Schembechler
Signal Moving Average [LuxAlgo]The following script returns a moving average designed to be used as a signal line in a moving average crossover system. The moving average will diverge from the price during ranging markets and reach the value of a regular moving average during trending markets.
 Settings 
 
 Length: Moving average period
 Src: Source input of the indicator
 
 Usage 
Moving average crossover strategies often rely on a "signal" line, a slower moving average used to determine a general trend. This signal line is paired with a faster moving average to filter out potential whipsaw trades that would have been given from crosses between the regular price and the signal line.
  
The proposed indicator will avoid crossing the price by diverging from it during more ranging periods, thus effectively reducing the number of crosses produced between the price and the signal line.
  
The color of the area between the price and the signal line is determined by the position of the price relative to the signal line, with a green color indicator a price superior to the signal line.
The color of the signal line, however, is taking into account whether market is trending or ranging, only changing once the market is trending.
  
The chart above shows the cumulated number of crosses between the price and the signal line (green) and a regular simple moving average of the same period (red) on AMD 15m, a lowered number of crosses can effectively reduce the impact of frictional costs introduced by whipsaw trades.
Tutporial Pedia (Signal buy & Sell)Untuk mempermudah kita dalam bermain dan memahami Signal Trade View Rate 98 %
VIPThis indicator is using the modified "SSS".
This strategy uses combined indicators to create LONG entry points, the strategy was first found by saudALThaidy.
How to use: Open your asset and pick a timeframe between 5min and 2hours (recommended: 30min, 45min), the strategy will give entry points itself, you can monitor and take profit manually(recommended), or you can use the exit setup.
exit setup:
Take Profit : close the trade and take profit after the specified percentage from the entry point gets hit.
Use Stop Percentage : if false, trade will be closed if it gets below MA line, if true it will use the next set up.
StopLose Percentage : specify a percentage to close the trade if the asset price goes below it.
Important Notes:
As saudALThaidy states that the strategy must be used with -heiken ashi- candles for the best result.
for best use of the strategy, use (Take Profit = 1,Use Stop Percentage=false) to get every trade, and take profit manually when ever you see the best.
For any notes on the strategy to be edited, or for another strategies ideas please comment.
Squeeze Momentum Indicator [LazyBear] added Alerting + webhookA modified version of Squeeze Momentum Indicator visualizing on Price Chart.
author: @LazyBear, modified by @KivancOzbilgic, and by @dgtrd
I took in all of the information as the script below is based on the V2 Script that @LazyBear posted and then added Alerting based on the math and the conditions that @dgtrd added. 
Per the description here:  
The Squeeze Indicator measures the relationship between Bollinger Bands and Keltner's Channels to help identify consolidations and signal when prices are likely to break out (whether up or down).
The Squeeze Indicator finds sections of the Bollinger Bands which fall inside the Keltner's Channels, and in this case, the market is said to be in a squeeze (indicator turns off, displayed with grey diamond shapes in this study).
When the volatility increases, so does the distance between the bands. Conversely, when the volatility declines, the distance also decreases, and in such cases, the squeeze is said to be released (indicator turns on, displayed with triangle up or triangle down shapes)
Taking the above information and what was in the script was able to base the alert conditions: 
So when the condition:  
Squeeze On or No Squeeze = In Squeeze
Squeeze Off = Squeeze Release Long or  Squeeze Release Long based off conditions. 
There are 2 separate alert Types. 
1. App, Pop-up, eMail, play sound and Send email to SMS
2. It Is dedicated to Webhook for your various applications. 
Alerting Options
 i.imgur.com 
App Notification 
 i.imgur.com 
 i.imgur.com 
Webhook test into Discord
 i.imgur.com






















