Polynomial Regression Bands + Channel [DW]This is an experimental study designed to calculate polynomial regression for any order polynomial that TV is able to support.
This study aims to educate users on polynomial curve fitting, and the derivation process of Least Squares Moving Averages (LSMAs).
I also designed this study with the intent of showcasing some of the capabilities and potential applications of TV's fantastic new array functions.
Polynomial regression is a form of regression analysis in which the relationship between the independent variable x and the dependent variable y is modeled as a polynomial of nth degree (order).
For clarification, linear regression can also be described as a first order polynomial regression. The process of deriving linear, quadratic, cubic, and higher order polynomial relationships is all the same.
In addition, although deriving a polynomial regression equation results in a nonlinear output, the process of solving for polynomials by least squares is actually a special case of multiple linear regression.
So, just like in multiple linear regression, polynomial regression can be solved in essentially the same way through a system of linear equations.
In this study, you are first given the option to smooth the input data using the 2 pole Super Smoother Filter from John Ehlers.
I chose this specific filter because I find it provides superior smoothing with low lag and fairly clean cutoff. You can, of course, implement your own filter functions to see how they compare if you feel like experimenting.
Filtering noise prior to regression calculation can be useful for providing a more stable estimation since least squares regression can be rather sensitive to noise.
This is especially true on lower sampling lengths and higher degree polynomials since the regression output becomes more "overfit" to the sample data.
Next, data arrays are populated for the x-axis and y-axis values. These are the main datasets utilized in the rest of the calculations.
To keep the calculations more numerically stable for higher periods and orders, the x array is filled with integers 1 through the sampling period rather than using current bar numbers.
This process can be thought of as shifting the origin of the x-axis as new data emerges.
This keeps the axis values significantly lower than the 10k+ bar values, thus maintaining more numerical stability at higher orders and sample lengths.
The data arrays are then used to create a pseudo 2D matrix of x power sums, and a vector of x power*y sums.
These matrices are a representation the system of equations that need to be solved in order to find the regression coefficients.
Below, you'll see some examples of the pattern of equations used to solve for our coefficients represented in augmented matrix form.
For example, the augmented matrix for the system equations required to solve a second order (quadratic) polynomial regression by least squares is formed like this:
(โx^0 โx^1 โx^2 | โ(x^0)y)
(โx^1 โx^2 โx^3 | โ(x^1)y)
(โx^2 โx^3 โx^4 | โ(x^2)y)
The augmented matrix for the third order (cubic) system is formed like this:
(โx^0 โx^1 โx^2 โx^3 | โ(x^0)y)
(โx^1 โx^2 โx^3 โx^4 | โ(x^1)y)
(โx^2 โx^3 โx^4 โx^5 | โ(x^2)y)
(โx^3 โx^4 โx^5 โx^6 | โ(x^3)y)
This pattern continues for any n ordered polynomial regression, in which the coefficient matrix is a n + 1 wide square matrix with the last term being โx^2n, and the last term of the result vector being โ(x^n)y.
Thanks to this pattern, it's rather convenient to solve the for our regression coefficients of any nth degree polynomial by a number of different methods.
In this script, I utilize a process known as LU Decomposition to solve for the regression coefficients.
Lower-upper (LU) Decomposition is a neat form of matrix manipulation that expresses a 2D matrix as the product of lower and upper triangular matrices.
This decomposition method is incredibly handy for solving systems of equations, calculating determinants, and inverting matrices.
For a linear system Ax=b, where A is our coefficient matrix, x is our vector of unknowns, and b is our vector of results, LU Decomposition turns our system into LUx=b.
We can then factor this into two separate matrix equations and solve the system using these two simple steps:
1. Solve Ly=b for y, where y is a new vector of unknowns that satisfies the equation, using forward substitution.
2. Solve Ux=y for x using backward substitution. This gives us the values of our original unknowns - in this case, the coefficients for our regression equation.
After solving for the regression coefficients, the values are then plugged into our regression equation:
Y = a0 + a1*x + a1*x^2 + ... + an*x^n, where a() is the ()th coefficient in ascending order and n is the polynomial degree.
From here, an array of curve values for the period based on the current equation is populated, and standard deviation is added to and subtracted from the equation to calculate the channel high and low levels.
The calculated curve values can also be shifted to the left or right using the "Regression Offset" input
Changing the offset parameter will move the curve left for negative values, and right for positive values.
This offset parameter shifts the curve points within our window while using the same equation, allowing you to use offset datapoints on the regression curve to calculate the LSMA and bands.
The curve and channel's appearance is optionally approximated using Pine's v4 line tools to draw segments.
Since there is a limitation on how many lines can be displayed per script, each curve consists of 10 segments with lengths determined by a user defined step size. In total, there are 30 lines displayed at once when active.
By default, the step size is 10, meaning each segment is 10 bars long. This is because the default sampling period is 100, so this step size will show the approximate curve for the entire period.
When adjusting your sampling period, be sure to adjust your step size accordingly when curve drawing is active if you want to see the full approximate curve for the period.
Note that when you have a larger step size, you will see more seemingly "sharp" turning points on the polynomial curve, especially on higher degree polynomials.
The polynomial functions that are calculated are continuous and differentiable across all points. The perceived sharpness is simply due to our limitation on available lines to draw them.
The approximate channel drawings also come equipped with style inputs, so you can control the type, color, and width of the regression, channel high, and channel low curves.
I also included an input to determine if the curves are updated continuously, or only upon the closing of a bar for reduced runtime demands. More about why this is important in the notes below.
For additional reference, I also included the option to display the current regression equation.
This allows you to easily track the polynomial function you're using, and to confirm that the polynomial is properly supported within Pine.
There are some cases that aren't supported properly due to Pine's limitations. More about this in the notes on the bottom.
In addition, I included a line of text beneath the equation to indicate how many bars left or right the calculated curve data is currently shifted.
The display label comes equipped with style editing inputs, so you can control the size, background color, and text color of the equation display.
The Polynomial LSMA, high band, and low band in this script are generated by tracking the current endpoints of the regression, channel high, and channel low curves respectively.
The output of these bands is similar in nature to Bollinger Bands, but with an obviously different derivation process.
By displaying the LSMA and bands in tandem with the polynomial channel, it's easy to visualize how LSMAs are derived, and how the process that goes into them is drastically different from a typical moving average.
The main difference between LSMA and other MAs is that LSMA is showing the value of the regression curve on the current bar, which is the result of a modelled relationship between x and the expected value of y.
With other MA / filter types, they are typically just averaging or frequency filtering the samples. This is an important distinction in interpretation. However, both can be applied similarly when trading.
An important distinction with the LSMA in this script is that since we can model higher degree polynomial relationships, the LSMA here is not limited to only linear as it is in TV's built in LSMA.
Bar colors are also included in this script. The color scheme is based on disparity between source and the LSMA.
This script is a great study for educating yourself on the process that goes into polynomial regression, as well as one of the many processes computers utilize to solve systems of equations.
Also, the Polynomial LSMA and bands are great components to try implementing into your own analysis setup.
I hope you all enjoy it!
--------------------------------------------------------
NOTES:
- Even though the algorithm used in this script can be implemented to find any order polynomial relationship, TV has a limit on the significant figures for its floating point outputs.
This means that as you increase your sampling period and / or polynomial order, some higher order coefficients will be output as 0 due to floating point round-off.
There is currently no viable workaround for this issue since there isn't a way to calculate more significant figures than the limit.
However, in my humble opinion, fitting a polynomial higher than cubic to most time series data is "overkill" due to bias-variance tradeoff.
Although, this tradeoff is also dependent on the sampling period. Keep that in mind. A good rule of thumb is to aim for a nice "middle ground" between bias and variance.
If TV ever chooses to expand its significant figure limits, then it will be possible to accurately calculate even higher order polynomials and periods if you feel the desire to do so.
To test if your polynomial is properly supported within Pine's constraints, check the equation label.
If you see a coefficient value of 0 in front of any of the x values, reduce your period and / or polynomial order.
- Although this algorithm has less computational complexity than most other linear system solving methods, this script itself can still be rather demanding on runtime resources - especially when drawing the curves.
In the event you find your current configuration is throwing back an error saying that the calculation takes too long, there are a few things you can try:
-> Refresh your chart or hide and unhide the indicator.
The runtime environment on TV is very dynamic and the allocation of available memory varies with collective server usage.
By refreshing, you can often get it to process since you're basically just waiting for your allotment to increase. This method works well in a lot of cases.
-> Change the curve update frequency to "Close Only".
If you've tried refreshing multiple times and still have the error, your configuration may simply be too demanding of resources.
v4 drawing objects, most notably lines, can be highly taxing on the servers. That's why Pine has a limit on how many can be displayed in the first place.
By limiting the curve updates to only bar closes, this will significantly reduce the runtime needs of the lines since they will only be calculated once per bar.
Note that doing this will only limit the visual output of the curve segments. It has no impact on regression calculation, equation display, or LSMA and band displays.
-> Uncheck the display boxes for the drawing objects.
If you still have troubles after trying the above options, then simply stop displaying the curve - unless it's important to you.
As I mentioned, v4 drawing objects can be rather resource intensive. So a simple fix that often works when other things fail is to just stop them from being displayed.
-> Reduce sampling period, polynomial order, or curve drawing step size.
If you're having runtime errors and don't want to sacrifice the curve drawings, then you'll need to reduce the calculation complexity.
If you're using a large sampling period, or high order polynomial, the operational complexity becomes significantly higher than lower periods and orders.
When you have larger step sizes, more historical referencing is used for x-axis locations, which does have an impact as well.
By reducing these parameters, the runtime issue will often be solved.
Another important detail to note with this is that you may have configurations that work just fine in real time, but struggle to load properly in replay mode.
This is because the replay framework also requires its own allotment of runtime, so that must be taken into consideration as well.
- Please note that the line and label objects are reprinted as new data emerges. That's simply the nature of drawing objects vs standard plots.
I do not recommend or endorse basing your trading decisions based on the drawn curve. That component is merely to serve as a visual reference of the current polynomial relationship.
No repainting occurs with the Polynomial LSMA and bands though. Once the bar is closed, that bar's calculated values are set.
So when using the LSMA and bands for trading purposes, you can rest easy knowing that history won't change on you when you come back to view them.
- For those who intend on utilizing or modifying the functions and calculations in this script for their own scripts, I included debug dialogues in the script for all of the arrays to make the process easier.
To use the debugs, see the "Debugs" section at the bottom. All dialogues are commented out by default.
The debugs are displayed using label objects. By default, I have them all located to the right of current price.
If you wish to display multiple debugs at once, it will be up to you to decide on display locations at your leisure.
When using the debugs, I recommend commenting out the other drawing objects (or even all plots) in the script to prevent runtime issues and overlapping displays.
Cari skrip untuk "algo"
NNFX Baseline ToolNNFX All-in-One Baseline display / test tool.
This is usefull (hopefully) for the NNFX way of trading only. It's not intended to be used as a standalone tool.
Basically, this script displays and tests many types of Moving Averages as baselines.
It displays baseline signals, based on the NNFX ATR-related rule for baseline entries.
It can be used as a backtest tool, or plugged into the whole nnfx algo.
If signal display option is enabled, signals are displayed on chart : green for long, red for short, orange for crossovers beyond the ATR channel :
Many baselines available : SMA , EMA , WMA , VWMA , ALMA , AMA, SMMA , DEMA , FRAMA , HULL, KAMA , KIJUN, JURIK, LAGUERRE, MCGINLEY , TMA1, TMA2, VIDYA , MODULAR FILTER, VAMA , ZLEMA , T3, LSMA, etc.
Additional options :
- multiplying the ATR channel (and subsequent rule) by a factor (default = 1)
- plot the ATR channel (def = yes)
- fill it (def = yes)
- display signals (def = yes)
- option for add color to the baseline, for long/short territory (2 different options : baseline is colored, background is colored)
- darkmode / lightmode color option. (def = dark)
We also display panels, with general information and some test results. Tests are done within the test period.
I tried to test all the different MAs included in the script but some bugs might still be present, so use it at ur own risk.
If you'd like a new MA option added, please let me know in comments.
I included a "bad" signal detection, it can help for tweaking the settings. Signals are defined as "bad" when they are immediately followed by another signal.
When there is 2 or more bad signals next to another, you spotted a chopiness zone (a chopiness zone is defined as a zone where BL get eaten alive).
Example :
to do :
- plug it with the c1/c2 backtest tool (it's the whole point)
- add alerts,
- add more ma types
- stop to use the operator, it's not convenient at all
- add wr% calculation as a standalone feature (with TP / SL)
- add a way to measure chopiness in the test (dont know how yet)
- detect & display chopiness zones
I asked other users when I used their ideas (for some particular types of MAs). They all agreed.
Best strategy for TradingView (fake)Hello everyone! I want to show you this strategy so you don't fall for the tricks of scammers. On TradingView, you can write an algorithm (probably more than one) that will show any profit you want: from 1% to 100,000% in one year (maybe more)! This can be done, for example, using the built-in linebreak () function and several conditions for opening long and short.
I am sure that sometimes scammers show up on TradingView showing their incredible strategies. Will a smart person sell a profitable quick strategy? When a lot of people start using the quick strategy, it stops working. Therefore, no smart person would sell you a quick strategy. It is acceptable to sell slow strategies: several transactions per month - this does not greatly affect the market.
So, don't fall for the tricks of scammers, write quick strategies yourself.
About this strategy, I can say that the linebreak () function does not work correctly in it. Accordingly, the lines are not drawn correctly on the chart. They are drawn in such a way as to show the maximum profit. I watched this algorithm on a 1m timeframe - no lines are drawn in real time. This is a fake!
Line breakI decided to help TradingView programmers and wrote code that converts a standard candles / bars to a line break chart. The built-in linebreak() and security() functions for constructing a Linear Break chart are bad, the chart is not built correctly, and does not correspond to the Line Breakout chart built into TradingView. Iโm talking about simulating the Linear Break lines using the plotcandle() annotation, because these are the same candles without shadows. When you try to use the market simulator, when the gaps are turned on in the security() function, nothing is added to the chart, and when turned off, a completely different line break chart is drawn. Do not try to write strategies based on the built-in linebreak() function! The developers write in the manual: "Please note that you cannot plot Line Break boxes from Pine script exactly as they look. You can only get a series of numbers similar to OHLC values โโfor Line Break charts and use them in your algorithms." However, it is possible to build a โLinear Breakthroughโ chart exactly like the โLinear Breakthrough" chart built into TradingView. Personally, I had enough Pine Script functionality.
For a complete understanding of how such a graph is built, you can refer to Steve Nison's book โBEYOND JAPANESE CANDLESโ and see the instructions for creating a โThree-Line Breakthroughโ chart (the number of lines for a breakthrough is three):
Rule 1: if today's price is above the base price (closing the first candle), draw a white line from the base price to the new maximum price (before closing).
or Rule 2: if today's price is below the base price, draw a black line from the base price to the new low of prices (before closing).
Rule 3: if today's price is no different from the base, do not draw any line.
Rule 4: if today's price rises above the maximum of the first line, shift to the column to the right and draw a new white line from the previous maximum to the new maximum of prices.
Rule 5: if the price is below the low of the first line, move one column to the right and draw a new black line down from the previous low to the new low of prices.
Rule 6: if the price is kept in the range of the first line, nothing is applied to the chart.
Rule 7: if the market reaches a new maximum, surpassing the maximum of previous lines, move to the column to the right and draw a new white line up to a new maximum.
Rule 8: if today's price is below the low of previous lines (i.e. there is a new low), move to the right column and draw a new black line down to a new low.
Rule 9: if the price is in the range of the first two lines, nothing is applied to the chart.
Rule 10: if there is a series of three white lines, a new white line is drawn when a new maximum is reached (even if it is only one tick higher than the old one). Under the same conditions, for drawing a black reversal line, the price should fall below the minimum of the series of the last three white lines. Such a black line is called a black reversal line. It runs from the base of the highest white line to a new low of price.
Rule 11: if there is a series of three black lines, a new black line is drawn when a new minimum is reached. Under the same conditions, for drawing a white line, called a white reversal line, the price must exceed the maximum of the previous three black lines. This line is drawn from the top of the lowest black line to a new high of the price.
So, the script was not small, but the idea is extremely simple: if you need to break n lines to build a line, then among these n lines (or less, if this is the beginning of the chart), the maximum or minimum of closures and openings will be searched. If the current candles closed above or below these highs or lows, then a new line is added to the chart on the current candles (trend or breakout). According to my observations, this script draws a chart that is completely identical to the Line Breakout chart built into TradingView, but of course with gaps, as there is time in the candles / bar chart. I stuffed all the logic into a wrapper in the form of the get_linebreak() function, which returns a tuple of OHLC values. And these series with the help of the plotcandle() annotation can be converted to the "Linear Breakthrough" chart. I also want to note that with a large number of candles on the chart, outrages about the buffer size uncertainty are heard from the TradingView black box. Because of this, in the annotation study() set the value to the max_bars_back parameter.
In general, use it (for example, to write strategies)!
REVEREVE is abbreviation from Range Extension Volume Expansion. This indicator shows these against a background of momentum. The histogram and columns for the range and volume rises ara calculated with the same algorithm as I use in the Volume Range Events indicator, which I published before. Because this algorithm uses the same special function to assess 'normal' levels for volume and range and uses the same calculation for depicting the rises on a scale of zero through 100, it becomes possible to compare volume and range rises in the same chart panel and come to meaningful conclusions. Different from VolumeRangeEvents is that I don't attempt to show direction of the bars and columns by actually pointing up or down. However I did color the bars for range events according to direction if Close jumps more than 20 percent of ATR up or down either blue or red. If the wider range leads to nothing, i.e. a smaller jump than 20 percent, the color is black. You can teak this in the inputs. The volume colums ar colored according to two criteria, resulting in four colors (orange, blue, maroon, green). The first criterium is whether the expansion is climactic (orange, blue) or moderate (maroon, green). I assume that climactic (i.e. more than twice as much) volume marks the beginning or end of a trend. The second criterium looks at the range event that goes together with the volume event. If lots of volume lead to little change in range (blue, green), I assume that this volume originates from institutional traders who are accumulating or distributing. If wild price jumps occur with comparatively little volume (orange, maroon, or even no volume event) I assume that opportunistic are active, some times attributing to more volume.
For the background I use the same colors calculated with the same algorithm as in the Hull Agreement Indicator, which I published before. This way I try to predict trend changes by observation of REVE.
T3 ICL MACD STRATEGY
Backtested manually and received approx 60% winrate. Tradingview strategy tester is skewed because this program does not specify when to sell at profit target or at a stop loss.
Uses 1 min for entry and a longer time frame for confirmation (5,10,15, etc..) (Not sure what the yellow arrows are in the picture but they can be ignored)
Ideal Long Entry - The algo uses T3 moving average (T3) and the Ichimoku Conversion Line (ICL) to determine when to enter a long or short position. In this case we are going to showcase what causes the algo to alert long. It first checks to see if the the ICL is greater than T3. Once that condition is met T3 must be green in order to enter long and finally the last closing price has to be greater than the ICL. You can use the MACD to further verify a long trend as well!
Ideal Short Entry - The algo uses T3 moving average (T3) and the Ichimoku Conversion Line (ICL) to determine when to enter a long or short position. In this case we are going to showcase what causes the algo to alert short. It first checks to see if the the ICL is less than T3. Once that condition is met T3 must be red in order to enter short and finally the last closing price has to be less than the ICL. You can use the MACD to further verify a long trend as well!
[PX] Moon PhaseHello guys,
while scrolling through the public library, I was surprised that there was no Open-Source version of the Moon Phase indicator. All moon phase indicators in the public library were either protected or not exactly what I was looking for. There is a built-in "Moon Phase" indicator, but even for this one, we can't access its source code.
Therefore, I started searching for an algorithm that I could implement into PineScript.
So here we go, an Open-Source Moon Phase indicator. It comes with the option to color the background based on the recent moon. Compared to the built-in indicator, the moon is slightly shifted, because it is centered on the candle and not plotted between two candles like the built-in indicator is doing it.
Feel free to use the indicator for your analysis or build on top of it in an open-source fashion.
Happy trading,
paaax :)
Reference: This indicator is a converted and simplified version of the original javascript algorithm, which can be found here .
SMU Quantum Thermo BallsThis script is the enhanced version of Market Thermometer with one difference. This one has Quantum Thermo balls shooting out of the thermometer tube when overheated. Quantum psychology, Quantum observation, call it what you like
My scripts are designed to beat ALGO, so the behavior of indicators is not like traditional indicators. Don't try to overthink it and compare it to other established functions.
If you knew ALGo as much as I do, then you would also ditch old indicators and design your own weird scripts to match the ALGO's personality. Oh yes, each AlGo for each stock has its own programming personality. Most my scripts are tuned to beat SPX ALGO meniac
Enjoy and think outside the box, the only way to beat the ALGO
BERLIN Renegade - Baseline & RangeThis is the baseline and range candles part of a larger algorithm called the "BERLIN Renegade". It is based on the NNFX way of trading, with some modifications.
The baseline is used for price crossover signals, and consists of the LSMA. When price is below the baseline, the background turns red, and when it is above the baseline, the background turns green.
It also includes a modified version of the Range Identifier by LazyBear. This version calculates the same, but draws differently. It remove the baseline signal color if the Range Identifier signals there is a possible trading range forming.
The main way of identifying ranges is using the BERLIN Range Index. A panel version of this indicator is included in another part of the algorithm, but the bar color version is included here, to make the ranges even more visible and easier to avoid.
Low Frequency Fourier TransformThis Study uses the Real Discrete Fourier Transform algorithm to generate 3 sinusoids possibly indicative of future price.
I got information about this RDFT algorithm from "The Scientist and Engineer's Guide to Digital Signal Processing" By Steven W. Smith, Ph.D.
It has not been tested thoroughly yet, but it seems that that the RDFT isn't suited for predicting prices as the Frequency Domain Representation shows that the signal is similar to white noise, showing no significant peaks, indicative of very low periodicity of price movements.
Correlation MATRIX (Flexible version)Hey folks
A quick unrelated but interesting foreword
Hope you're all good and well and tanned
Me? I'm preparing the opening of my website where we're going to offer the Algorithm Builder Single Trend, Multiple Trends, Multi-Timeframe and plenty of others across many platforms (TradingView, FXCM, MT4, PRT). While others are at the beach and tanning (Yes I'm jealous, so what !?!), we're working our a** off to deliver an amazing looking website and great indicators and strategies for you guys.
Today I worked in including the Trade Manager Pro version and the Risk/Reward Pro version into all our Algorithm Builders. Here's a teaser
We're going to have a few indicators/strategies packages and subscriptions will open very soon.
The website should open in a few weeks and we still have loads to do ... (#no #summer #holidays #for #dave)
I see every message asking me to allow access to my Algorithm Builders but with the website opening shortly, it will be better for me to manage the trials from there - otherwise, it's duplicated and I can't follow all those requests
As you can probably all understand, it becomes very challenging to publish once a day with all that workload so I'll probably slow down (just a bit) and maybe posting once every 2/3 days until the website will be over (please forgive me for failing you). But once it will open, the daily publishing will resume again :) (here's when you're supposed to be clapping guys....)
While I'm so honored by all the likes, private messages and comments encouraging me, you have to realize that a script always takes me about 2/3 hours of work (with research, coding, debugging) but I'm doing it because I like it. Only pushing the brake a bit because of other constraints
INDICATOR OF THE DAY
I made a more flexible version of my Correlation Matrix .
You can now select the symbols you want and the matrix will update automatically !!! Let me repeat it once more because this is very cool... You can now select the symbols you want and the matrix will update automatically :)
Actually, I have nothing more to say about it... that's all :) Ah yes, I added a condition to detect negative correlation and they're being flagged with a black dot
Definition : Negative correlation or inverse correlation is a relationship between two variables whereby they move in opposite directions.
A negative correlation is a key concept in portfolio construction, as it enables the creation of diversified portfolios that can better withstand portfolio volatility and smooth out returns.
Correlation between two variables can vary widely over time. Stocks and bonds generally have a negative correlation, but in the decade to 2018, their correlation has ranged from -0.8 to 0.2. (Source : www.investopedia.com
See you maybe tomorrow or in a few days for another script/idea.
Be sure to hit the thumbs up to cheer me up as your likes will be the only sunlight I'll get for the next weeks.... because working on building a great offer for you guys.
Dave
____________________________________________________________
- I'm an officially approved PineEditor/LUA/MT4 approved mentor on codementor. You can request a coaching with me if you want and I'll teach you how to build kick-ass indicators and strategies
Jump on a 1 to 1 coaching with me
- You can also hire for a custom dev of your indicator/strategy/bot/chrome extension/python
SMA/pivot/Bollinger/MACD/RSI en pantalla grรกficoMulti-indicador con los indicadores que empleo mรกs pero sin aรฑadir ventanas abajo.
Contiene:
Cruce de 3 medias mรณviles
La idea es no tenerlas en pantalla, pero estรกn dibujadas tambiรฉn. Yo las dejo ocultas salvo que las quiera mirar para algo.
Lo que presento en pantalla es la media lenta con verde si el cruce de las 3 marca alcista, amarillo si no estรก claro y rojo si marca bajista.
Pivot
Normalmente los tengo ocultos pero los muestro cuando me interesa. Estรกn todos aunque aparezcan 2 seguidos.
Bandas de Bollinger
No dibujo la lรญnea central porque empleo la media como tal.
Parabollic SAR
Lo empleo para dibujar las ondas de Elliott como postula Matรญas Menรฉndez Larre en el capรญtulo 11 de su libro "Las ondas de Elliott". Asรญ que, aunque se puede mostrar, lo mantengo oculto y lo que muestro es dรณnde cambia (SAR cambio).
MACD
No estรก dibujado porque necesitarรญa sacarlo del grรกfico.
Marco en la parte superior cuรกndo la seรฑal sobrepasa al MACD hacia arriba o hacia abajo con un flecha indicando el sentido de esta seรฑal.
RSI
Similar al MACD pero en la parte inferior.
Probablemente, programe otro indicador para visualizar en una ventanita MACD, RSI y volumen todo junto. El volumen en la principal hay veces que no te permite ver bien alguna sombra y los otros 2 te quitan mucho espacio para graficar si los tienes permanentemente en 2 ventanas separadas.
DFT - Dominant Cycle Period 8-50 bars - John EhlerThis is the translation of discret cosine tranform (DCT) usage by John Ehler for finding dominant cycle period (DC).
The price is first filtered to remove aliasing noise(bellow 8 bars) and trend informations(above 50 bars), then the power is computed.
The trick here is to use a normalisation against the maximum power in order to get a good frequency resolution.
Current limitation in tradingview does not allow to display all of the periods, still the DC period is plot after beeing computed based on the center of gravity algo.
The DC period can be used to tune all of the indicators based on the cycles of the markets. For instance one can use this (DC period)/2 as an input for RSI.
Hope you find this of some interrest.
[naoligo] Simple ADXI'm publishing this indicator just for study purposes, because the result is exactly the same as DMI without the smoothing factor. It is exactly the same as ADX Wilder from MT5.
I was looking for the algorithm all over and it was a pain to find the right formula, meaning: one that would match with the built-in ones. After several study and comparison, I still didn't find the algorithm that match with the MT5's built-in simple ADX ...
Enjoy!
Patrones de entrada/salida V.1.0 -BETA-Este algoritmo intenta identificar patrones o fractales dentro de los movimientos de precios para dar seรฑales de compra o venta de activos.
Zero Lag MACD Enhanced - Version 1.1ENHANCED ZERO LAG MACD
Version 1.1
Based on ZeroLag EMA - see Technical Analysis of Stocks and Commodities, April 2000
Original version by user Glaz. Thanks !
Ideas and code from @yassotreyo version.
Tweaked by Albert Callisto (AC)
New features:
Added original signal line formula
Added optional EMA on MACD
Added filling between the MACD and signal line
I looked at other versions of the zero lag and noticed that the histogram was slightly different. After looking at other zero lags on TV, I noticed that the algorithm implementation of Glanz generated a modified signal line. I decided to add the old version to be compliant with the original algorithm that you will find in other platforms like MT4, FXCM, etc.
So now you can choose if you want the original algorithm or Glanz version. It's up to you then to choose which one you prefer. I also added an extra EMA applied on the MACD. This is used in a system I am currently studying and can be of some interest to filter out false signals.
Acc/Dist. Cloud with Fractal Deviation Bands by @XeL_ArjonaACCUMULATION / DISTRIBUTION CLOUD with MORPHIC DEVIATION BANDS
Ver. 2.0.beta.23:08:2015
by Ricardo M. Arjona @XeL_Arjona
DISCLAIMER
The Following indicator/code IS NOT intended to be a formal investment advice or recommendation by the author, nor should be construed as such. Users will be fully responsible by their use regarding their own trading vehicles/assets.
The embedded code and ideas within this work are FREELY AND PUBLICLY available on the Web for NON LUCRATIVE ACTIVITIES and must remain as is.
Pine Script code MOD's and adaptations by @XeL_Arjona with special mention in regard of:
Buy (Bull) and Sell (Bear) "Power Balance Algorithm by Vadim Gimelfarb published at Stocks & Commodities V. 21:10 (68-72).
Custom Weighting Coefficient for Exponential Moving Average (nEMA) adaptation work by @XeL_Arjona with contribution help from @RicardoSantos at TradingView @pinescript chat room.
Morphic Numbers (PHI & Plastic) Pine Script adaptation from it's algebraic generation formulas by @XeL_Arjona
Fractal Deviation Bands idea by @XeL_Arjona
CHANGE LOG:
ACCUMULATION / DISTRIBUTION CLOUD: I decided to change it's name from the Buy to Sell Pressure. The code is essentially the same as older versions and they are the center core (VORTEX?) of all derived New stuff which are:
MORPHIC NUMBERS: The "Golden Ratio" expressed by the result of the constant "PHI" and the newer and same in characteristics "Plastic Number" expressed as "PN". For more information about this regard take a look at: HERE!
CUSTOM(K) EXPONENTIAL MOVING AVERAGE: Some code has cleaned from last version to include as custom function the nEMA , which use an additional input (K) to customise the way the "exponentially" is weighted from the custom array. For the purpose of this indicator, I implement a volatility algorithm using the Average True Range of last 9 periods multiplied by the morphic number used in the fractal study. (Golden Ratio as default) The result is very similar in response to classic EMA but tend to accelerate or decelerate much more responsive with wider bars presented in trending average.
FRACTAL DEVIATION BANDS: The main idea is based on the so useful Standard Deviation process to create Bands in favor of a multiplier (As John Bollinger used in it's own bands) from a custom array, in which for this case is the "Volume Pressure Moving Average" as the main Vortex for the "Fractallitly", so then apply as many "Child bands" using the older one as the new calculation array using the same morphic constant as multiplier (Like Fibonacci but with other approach rather than %ratios). Results are AWSOME! Market tend to accelerate or decelerate their Trend in favor of a Fractal approach. This bands try to catch them, so please experiment and feedback me your own observations.
EXTERNAL TICKER FOR VOLUME DATA: I Added a way to input volume data for this kind of study from external tickers. This is just a quicky-hack given that currently TradingView is not adding Volume to their Indexes so; maybe this is temporary by now. It seems that this part of the code is conflicting with intraday timeframes, so You are advised.
This CODE is versioned as BETA FOR TESTING PROPOSES. By now TradingView Admins are changing lot's of things internally, so maybe this could conflict with correct rendering of this study with special tickers or timeframes. I will try to code by itself just the core parts of this study in order to use them at discretion in other areas. ALL NEW IDEAS OR MODIFICATIONS to these indicator(s) are Welcome in favor to deploy a better and more accurate readings. I will be very glad to be notified at Twitter or TradingView accounts at: @XeL_Arjona
Aurum DCX AVE Gold and Silver StrategySummary in one paragraph
Aurum DCX AVE is a volatility break strategy for gold and silver on intraday and swing timeframes. It aligns a new Directional Convexity Index with an Adaptive Volatility Envelope and an optional USD/DXY bias so trades appear only when direction quality and expansion agree. It is original because it fuses three pieces rarely combined in one model for metals: a convexity aware trend strength score, a percentile based envelope that widens with regime heat, and an intermarket DXY filter.
Scope and intent
โข Markets. Gold and silver futures or spot, other liquid commodities, major indices
โข Timeframes. Five minutes to one day. Defaults to 30min for swing pace
โข Default demo used in this publication. TVC:GOLD on 30m
โข Purpose. Enter confirmed volatility breaks while muting chop using regime heat and USD bias
โข Limits. This is a strategy. Orders are simulated on standard candles only
Originality and usefulness
โข Unique fusion. DCX combines DI strength with path efficiency and curvature. AVE blends ATR with a high TR percentile and widens with DCX heat. DXY adds an intermarket bias
โข Failure mode addressed. False starts inside compression and unconfirmed breakouts during USD swings
โข Testability. Each component has a named input. Entry names L and S are visible in the list of trades
โข Portable yardstick. Weekly ATR for stops and R multiples for targets
โข Open source. Method and implementation are disclosed for community review
Method overview in plain language
You score direction quality with DCX, size an adaptive envelope with a blend of ATR and a high TR percentile, and only allow breaks that clear the band while DCX is above a heat threshold in the same direction. An optional DXY filter favors long when USD weakens and short when USD strengthens. Orders are bracketed with a Weekly ATR stop and an R multiple target, with optional trailing to the envelope.
Base measures
โข Range basis. True Range and ATR over user windows. A high TR percentile captures expansion tails used by AVE
โข Return basis. Not required
Components
โข Directional Convexity Index DCX. Measures directional strength with DX, multiplies by path efficiency, blends a curvature term from acceleration, scales to 0 to 100, and uses a rise window
โข Adaptive Volatility Envelope AVE. Midline ALMA or HMA or EMA plus bands sized by a blend of ATR and a high TR percentile. The blend weight follows volatility of volatility. Band width widens with DCX heat
โข DXY Bias optional. Daily EMA trend of DXY. Long bias when USD weakens. Short bias when USD strengthens
โข Risk block. Initial stop equals Weekly ATR times a multiplier. Target equals an R multiple of the initial risk. Optional trailing to AVE band
Fusion rule
โข All gates must pass. DCX above threshold and rising. Directional lead agrees. Price breaks the AVE band in the same direction. DXY bias agrees when enabled
Signal rule
โข Long. Close above AVE upper and DCX above threshold and DCX rising and plus DI leads and DXY bias is bearish
โข Short. Close below AVE lower and DCX above threshold and DCX falling and minus DI leads and DXY bias is bullish
โข Exit and flip. Bracket exit at stop or target. Optional trailing to AVE band
Inputs with guidance
Setup
โข Symbol. Default TVC:GOLD (Correlation Asset for internal logic)
โข Signal timeframe. Blank follows the chart
โข Confirm timeframe. Default 1 day used by the bias block
Directional Convexity Index
โข DCX window. Typical 10 to 21. Higher filters more. Lower reacts earlier
โข DCX rise bars. Typical 3 to 6. Higher demands continuation
โข DCX entry threshold. Typical 15 to 35. Higher avoids soft moves
โข Efficiency floor. Typical 0.02 to 0.06. Stability in quiet tape
โข Convexity weight 0..1. Typical 0.25 to 0.50. Higher gives curvature more influence
Adaptive Volatility Envelope
โข AVE window. Typical 24 to 48. Higher smooths more
โข Midline type. ALMA or HMA or EMA per preference
โข TR percentile 0..100. Typical 75 to 90. Higher favors only strong expansions
โข Vol of vol reference. Typical 0.05 to 0.30. Controls how much the percentile term weighs against ATR
โข Base envelope mult. Typical 1.4 to 2.2. Width of bands
โข Regime adapt 0..1. Typical 0.6 to 0.95. How much DCX heat widens or narrows the bands
Intermarket Bias
โข Use DXY bias. Default ON
โข DXY timeframe. Default 1 day
โข DXY trend window. Typical 10 to 50
Risk
โข Risk percent per trade. Reporting field. Keep live risk near one to two percent
โข Weekly ATR. Default 14. Basis for stops
โข Stop ATR weekly mult. Typical 1.5 to 3.0
โข Take profit R multiple. Typical 1.5 to 3.0
โข Trail with AVE band. Optional. OFF by default
Properties visible in this publication
โข Initial capital. 20000
โข Base currency. USD
โข request.security lookahead off everywhere
โข Commission. 0.03 percent
โข Slippage. 5 ticks
โข Default order size method percent of equity with value 3% of the total capital available
โข Pyramiding 0
โข Process orders on close ON
โข Bar magnifier ON
โข Recalculate after order is filled OFF
โข Calc on every tick OFF
Realism and responsible publication
โข No performance claims. Past results never guarantee future outcomes
โข Shapes can move while a bar forms and settle on close
โข Strategies use standard candles for signals and orders only
Honest limitations and failure modes
โข Economic releases and thin liquidity can break assumptions behind the expansion logic
โข Gap heavy symbols may prefer a longer ATR window
โข Very quiet regimes can reduce signal contrast. Consider higher DCX thresholds or wider bands
โข Session time follows the exchange of the chart and can change symbol to symbol
โข Symbol sensitivity is expected. Use the gates and length inputs to find stable settings
Open source reuse and credits
โข None
Mode
Public open source. Source is visible and free to reuse within TradingView House Rules
Legal
Education and research only. Not investment advice. You are responsible for your decisions. Test on historical data and in simulation before any live use. Use realistic costs.
๐ DocBrown V73++ EstrategiaStrategy Overview
The "DocBrown V73+ Unified Strategy" is a complex and multifaceted algorithmic trading system designed to operate in trending markets. Its core strategy is following the main trend, but its main strength lies in the numerous risk management modules and market filters it uses to protect capital and optimize trade exits.
The strategy combines classic trend indicators (EMAs, MACD, ADX) with volatility analysis (Bollinger Band Width) and volume to identify high-probability entry points. However, its most distinctive feature is its sophisticated exit system, which includes multiple Stop Loss (SL) and Take Profit (TP) types that adapt to various market conditions.
Entry Logic
To open a position (long or short), the strategy evaluates a set of conditions. The main entry is based on:
Market Regime Filter: This is a master filter that ensures trading is only carried out in favorable trend conditions. To do this, it simultaneously requires:
A minimum ADX to confirm the strength of the trend.
A minimum Bollinger Band Width (BBW) to ensure sufficient volatility.
A minimum slope in the slow EMA to confirm the market's direction.
EMA Alignment: Uses three Exponential Moving Averages (fast, medium, and slow). A long entry requires the fast EMA to be above the average, and the average above the slow EMA. For a short entry, the condition is the reverse.
Momentum Confirmation: The MACD must be crossed in the direction of the trade (the MACD line must be above the signal line for longs, and vice versa for shorts).
Volume Filter: The volume of the current candle must exceed a minimum ratio compared to its moving average to avoid signals of low market interest.
Trend Exhaustion Filter: Prevents new entries if the ADX, after reaching a very high peak, begins to decline, suggesting that the trend may be losing strength.
It also includes an alternative entry condition based on a "3-Candle Momentum," which looks for three consecutive candles in the same direction with progressively increasing volume, signaling a possible explosive move.
Risk Management and Exit Strategies
This is the most complex and robust part of the strategy, with multiple defense and profit-taking mechanisms:
Take Profit (TP)
Dynamic TP (Enabled by default): Instead of a fixed target, the strategy calculates the TP based on the nearest support and resistance levels. For a long position, it will look for the next resistance, and for a short position, the next support.
Trailing After a Breakout: If the price breaks an S&R level and the trade continues in favor, the strategy can move the SL to that broken level and recalculate a new TP target.
Stop Loss (SL) and Defensive Closes
The strategy features an arsenal of different types of Stop Losses for different situations:
Breakeven SL: Once the trade reaches a predefined profit percentage, the SL automatically moves to the entry price plus a small buffer to cover commissions. This ensures that a winning trade doesn't turn into a losing one.
Safety Bracket (Anti-Liquidation): This is an "emergency stop" that can be activated to prevent catastrophic losses. It is calculated based on the ATR or a fixed percentage of the price.
Adverse Volume Spike SL: Closes the position if a candle appears against the trade with abnormally high volume, which may indicate a violent reversal.
Consecutive Candle SL: If a certain number of candles (for example, 3.5) form in a row against the position, the strategy closes the trade to cut the loss.
Stagnant Stop: Closes the trade if it enters a loss and the price then remains sideways (without movement) for a defined number of bars, avoiding being trapped in a directionless position.
Derivative Stop (Anti-Trend and Counter-Trend): An advanced system that monitors price momentum and acceleration. If it detects that the price begins to move sharply against the trend after accumulating a certain amount of profit, it closes the position to protect profits.
Drawdown Stop (Loss): A special trailing stop that is only activated while the trade is in a loss. If the price attempts to recover but then falls again, this Stop is adjusted to minimize the loss from the peak of that small recovery.
Counter-Trend SL (BB-CT): Closes the position if, despite being in profit, the market shows clear signs of a trend reversal, such as the price returning within the Bollinger Bands and the MACD crossing against it.
Additional Features
Multi-Timeframe (MTF) Analysis: The strategy can run on a single chart (e.g., 1-minute) but makes all its decisions based on data from a longer timeframe (e.g., 5 or 15 minutes), allowing it to filter out market noise.
Frequency Control: Includes options to limit trades to one per candle and to set a cooldown period after closing a trade, preventing overtrading.
Date Filter: Allows backtesting over a specific timeframe.
Information Panel: Displays key data such as the strategy status, current TP/SL levels, unrealized profits (MFE), and the status of internal signals in real time on the chart.
Full Display: Draws S&R levels, EMAs, Bollinger Bands, and active entry, TP, and SL levels on the chart.
IMPORTANT:
Use in Isolated Leverage x5 (limit), start small and test tokens before jumping in.
DONATIONS: Token: USDT - Network: BSC Binance Smart Chain
Wallet: 0xe87b4589a53443d8ffed2e9b5a7ef58f261f087c
SALSA Multi-Framework Analysis SuiteThis indicator, SALSA (SALSA Multi-Framework Analysis Suite), is an original compilation designed to provide a multi-dimensional view of the market by integrating several distinct analytical frameworks into a single tool. It is not a simple aggregation of standard indicators without purpose.
The core concept is to combine the analytical power of different technical methodologies:
1. Multi-Length Moving Averages (MAs):A customizable set of 6 MAs (with user-defined types and lengths) provides trend direction, potential support/resistance levels, and generates signals through crossovers. Their rainbow color scheme (Red to Violet) helps visualize different timeframes.
2. **Volume Profile (VP):** Displays the distribution of trading volume at different price levels over a defined lookback period. Key levels like the Point of Control (PoC), Value Area High (VAH), and Value Area Low (VAL) are highlighted with specific, user-adjustable colors (e.g., red PoC, orange VAH, blue VAL) to identify significant price zones where institutional interest may have occurred.
3. Divergence Detection: Implements an algorithm to identify regular and hidden bullish and bearish divergences between an internal oscillator (`sz`) and the asset's price action. This helps anticipate potential trend reversals before they are confirmed by price.
4. Trend & Volatility Indicators: Includes VWAP, Bollinger Bands, and Ichimoku Cloud, offering additional layers for trend confirmation, volatility assessment, and dynamic support/resistance levels.
5. Momentum Indicators:** Features an internal oscillator inspired by Koncorde concepts, using CMF, OBV, RSI, and Stochastic to provide momentum-based buy/sell shapes.
6. Trading Signals (SALSA System):Generates potential buy/sell signals based on the interaction between the `sz` oscillator and ADX values.
7. Whale Detector:Aims to identify potential large player activity based on specific volume and price action patterns.
The primary goal is to allow traders to cross-reference signals from different analytical frameworks (trend, momentum, volume, volatility) simultaneously, increasing the potential for robust trade setups. The extensive input options allow for significant customization to fit various trading styles and preferences.
This script is provided for educational purposes to demonstrate the integration of multiple technical analysis concepts in Pine Script.
Ultra-Premium Strategy: Cloud + RSI Momentum + ZigZag VPThis strategy combines trend, momentum, and volume profiling for high-probability trading signals.
๐น MA Cloud Trend Filter
Uses configurable Fast and Slow MAs (EMA, SMA, WMA) to define bullish or bearish bias visually and logically.
๐น RSI Liquidity Momentum
Enhances the classic RSI with a liquidity-adjusted momentum score โ stronger signals based on both price and volume dynamics.
๐น ZigZag Structure Detection
Identifies meaningful price pivots with customizable percent-based swing thresholds.
๐น Volume Profile Zones
Displays dynamic volume zones between recent pivots to highlight potential support/resistance areas.
๐น Entry Conditions
Long: Fast MA crossover + strong momentum + RSI above threshold
Short: Fast MA crossunder + weak momentum + RSI below threshold
๐น Exit Conditions
Configurable ATR-based Stop Loss and Take Profit
Optional trailing stop
No repainting; trades confirmed on bar close
๐น Alerts
Set real-time alerts for long and short entries
โ
Works on any timeframe and asset (crypto, stocks, forex, futures)
โ
Fully adjustable risk and logic settings
โ
Strategy mode enables backtesting and performance review
Swing Points LiquiditySwing Points Liquidity
Unlock advanced swing detection and liquidity zone marking for smarter trading decisions.
Overview:
Swing Points Liquidity automatically identifies key swing highs and swing lows using a five-candle โpalmโ structure, marking each significant price turn with precise labels: โBSL swing highโ for potential bearish liquidity and โSSL swing lowโ for potential bullish liquidity. This transparent swing logic provides a robust way to highlight areas where price is most likely to reactโmaking it an invaluable tool for traders applying Smart Money Concepts, supply and demand, or liquidity-based strategies.
How It Works:
The indicator scans every candle on your chart to detect and label swing highs and lows.
A swing high (โBSL swing highโ) is identified when a central candleโs high is greater than the highs of the previous two and next two candles.
A swing low (โSSL swing lowโ) is identified when a central candleโs low is lower than the lows of the previous two and next two candles.
Labels are plotted for every detected swing point, providing clear visualization of important market liquidity levels on any symbol and timeframe.
How to Use:
Liquidity levels marked by the indicator are potential price reversal zones. To optimize your entries, combine these levels with confirmation signals such as reversal candlestick patterns, order blocks, or fair value gaps (FVGs).
When you see a โBSL swing highโ or โSSL swing lowโ label, observe the price action at that areaโif a reliable reversal pattern or order block/FVG forms, it can signal a high-probability trade opportunity.
These marked liquidity swings are also excellent for locating confluence zones, setting stop losses, and identifying where institutional activity or smart money may trigger significant moves. Always use market structure and price action in conjunction with these levels for greater consistency and confidence in your trading.
Features:
Customizable label display for swing highs (BSL) and swing lows (SSL)
Automatic detection using robust 5-candle palm logic
Works with all symbols and chart timeframes
Lightweight, clear visual styleโeasy for manual and algorithmic traders
Notes:
The indicator requires at least two candles both before and after each swing point, so labels will start appearing after enough historical data is loaded.
For deeper historical analysis, simply scroll left or zoom out on your chart to load more candlesโthe indicator will automatically process and display swing points on all available data.
TradeVision Pro - Multi-Factor Analysis Systemโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
TRADEVISION PRO - MULTI-FACTOR ANALYSIS SYSTEM
Created by Zakaria Safri
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
A comprehensive technical analysis tool combining multiple factors for
signal generation, trend analysis, and dynamic risk management visualization.
Designed for educational purposes to study multi-factor convergence trading
strategies across all markets and timeframes.
โ ๏ธ IMPORTANT DISCLAIMER:
This indicator is provided for EDUCATIONAL and INFORMATIONAL purposes only.
It does NOT constitute financial advice, investment advice, or trading advice.
Past performance does not guarantee future results. Trading involves
substantial risk of loss. Always do your own research and consult a
financial advisor before making trading decisions.
๐ฏ KEY FEATURES
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
โ
MULTI-FACTOR SIGNAL GENERATION
โข Price Volume Trend (PVT) analysis
โข Rate of Change (ROC) momentum confirmation
โข Volume-Weighted Moving Average (VWMA) trend filter
โข Simple Moving Average (SMA) price smoothing
โข Signals only when all factors align
โ
DYNAMIC RISK VISUALIZATION (Educational Only)
โข ATR-based stop loss calculation
โข Risk-reward based take profit levels (1-5 targets)
โข Visual lines and labels showing entry, SL, and TPs
โข Automatically adapts to market volatility
โข โ ๏ธ VISUAL REFERENCE ONLY - Does not execute trades
โ
SUPPORT & RESISTANCE DETECTION
โข Automatic pivot-based level identification
โข Red dashed lines for resistance zones
โข Green dashed lines for support areas
โข Helps identify key price levels
โ
VWMA TREND BANDS
โข Volume-weighted moving average with standard deviation
โข Color-changing bands (Green = Uptrend, Red = Downtrend)
โข Filled band area for easy visualization
โข Volume-confirmed trend strength
โ
TREND DETECTION SYSTEM
โข Counting-based trend confirmation
โข Three states: Up Trend, Down Trend, Ranging
โข Requires threshold of consecutive bars
โข Independent trend validation
โ
PRICE RANGE VISUALIZATION
โข High/Low range lines showing market structure
โข Filled area highlighting price volatility
โข Helps identify breakout zones
โ
COMPREHENSIVE INFO TABLE
โข Real-time trend status
โข Last signal type (BUY/SELL)
โข Entry price display
โข Stop loss level
โข All active take profit levels
โข Clean, professional layout
โ
OPTIONAL FEATURES
โข Bar coloring by trend direction
โข Customizable alert notifications
โข Toggle visibility for all components
โข Fully configurable parameters
๐ HOW IT WORKS
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
SIGNAL METHODOLOGY:
BUY SIGNAL generates when ALL conditions are met:
โข Smoothed price > Moving Average (upward price trend)
โข PVT > PVT Average (volume supporting uptrend)
โข ROC > 0 (positive momentum)
โข Close > VWMA (above volume-weighted average)
SELL SIGNAL generates when ALL conditions are met:
โข Smoothed price < Moving Average (downward price trend)
โข PVT < PVT Average (volume supporting downtrend)
โข ROC < 0 (negative momentum)
โข Close < VWMA (below volume-weighted average)
This multi-factor approach filters out weak signals and waits for
strong convergence before generating alerts.
RISK CALCULATION:
Stop Loss = Entry ยฑ (ATR ร SL Multiplier)
โข Uses Average True Range for volatility measurement
โข Automatically adjusts to market conditions
Take Profit Levels = Entry ยฑ (Risk Distance ร TP Multiplier ร Level)
โข Risk Distance = |Entry - Stop Loss|
โข Creates risk-reward based targets
โข Example: TP Multiplier 1.0 = 1:1, 2:2, 3:3 risk-reward
โ ๏ธ NOTE: All risk levels are VISUAL REFERENCES for educational study.
They do not execute trades automatically.
โ๏ธ SETTINGS GUIDE
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
SIGNAL SETTINGS:
โข Signal Length (14): Main calculation period for averages
โข Smooth Length (8): Price data smoothing period
โข PVT Length (14): Price Volume Trend calculation period
โข ROC Length (9): Rate of Change momentum period
RISK MANAGEMENT (Visual Only):
โข ATR Length (14): Volatility measurement lookback
โข SL Multiplier (2.2): Stop loss distance (ร ATR)
โข TP Multiplier (1.0): Risk-reward ratio per TP level
โข TP Levels (1-5): Number of take profit targets to display
โข Show TP/SL Lines: Toggle visual reference lines
SUPPORT & RESISTANCE:
โข Pivot Lookback (10): Sensitivity for S/R detection
โข Show SR: Toggle support/resistance lines
VWMA BANDS:
โข VWMA Length (20): Volume-weighted average period
โข Show Bands: Toggle band visibility
TREND DETECTION:
โข Trend Threshold (5): Consecutive bars required for trend
PRICE LINES:
โข Period (20): High/low calculation lookback
โข Show: Toggle price range visualization
DISPLAY OPTIONS:
โข Signals: Show/hide BUY/SELL labels
โข Table: Show/hide information panel
โข Color Bars: Enable trend-based bar coloring
ALERTS:
โข Enable: Activate alert notifications for signals
๐ก USAGE INSTRUCTIONS
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
RECOMMENDED APPROACH:
โข Works on all timeframes (1m to Monthly)
โข Suitable for all markets (Stocks, Forex, Crypto, etc.)
โข Best used with additional analysis and confirmation
โข Always practice proper risk management
ENTRY STRATEGY:
1. Wait for BUY or SELL signal to appear
2. Check trend table for trend confirmation
3. Verify VWMA band color matches signal direction
4. Look for nearby support/resistance confluence
5. Consider entering on next candle open
6. Use visual SL level for risk management
EXIT STRATEGY:
1. Use TP levels as potential exit zones
2. Consider scaling out at multiple TP levels
3. Exit on opposite signal
4. Adjust stops as trade progresses
5. Account for spread and slippage
TREND TRADING:
โข "Up Trend" โ Focus on BUY signals
โข "Down Trend" โ Focus on SELL signals
โข "Ranging" โ Wait for clear trend or use range strategies
๐จ VISUAL ELEMENTS
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
โข GREEN VWMA BANDS โ Bullish trend indication
โข RED VWMA BANDS โ Bearish trend indication
โข ORANGE DASHED LINE โ Entry price reference
โข RED SOLID LINE โ Stop loss level
โข GREEN DOTTED LINES โ Take profit targets
โข RED DASHED LINES โ Resistance levels
โข GREEN DASHED LINES โ Support levels
โข GREY FILLED AREA โ Price high/low range
โข GREEN BUY LABEL โ Long signal
โข RED SELL LABEL โ Short signal
โข BLUE INFO TABLE โ Current trade details
โข GREEN/RED BARS โ Trend direction (optional)
โ ๏ธ IMPORTANT NOTES
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
RISK WARNING:
โข Trading involves substantial risk of loss
โข You can lose more than your initial investment
โข Past performance does not guarantee future results
โข No indicator is 100% accurate
โข Always use proper position sizing
โข Never risk more than you can afford to lose
EDUCATIONAL PURPOSE:
โข This tool is for learning and research
โข Not a complete trading system
โข Should be combined with other analysis
โข Requires interpretation and context
โข Test thoroughly before live use
โข Consider consulting a financial advisor
TECHNICAL LIMITATIONS:
โข Signals lag price action (all indicators lag)
โข False signals occur in choppy markets
โข Works better in trending conditions
โข Support/resistance levels are approximate
โข TP/SL levels are suggestions, not guarantees
๐ METHODOLOGY
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
This indicator combines established technical analysis concepts:
โข Price Volume Trend (PVT): Volume-weighted price momentum
โข Rate of Change (ROC): Momentum measurement
โข Volume-Weighted Moving Average (VWMA): Trend identification
โข Average True Range (ATR): Volatility measurement (J. Welles Wilder)
โข Pivot Points: Support/resistance detection
All methods are based on publicly available technical analysis
principles. No proprietary or "secret" algorithms are used.
โ๏ธ FULL DISCLAIMER
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
LIABILITY:
The creator (Zakaria Safri) assumes NO liability for:
โข Trading losses or damages of any kind
โข Loss of capital or profits
โข Incorrect signal interpretation
โข Technical issues, bugs, or errors
โข Any consequences of using this tool
USER RESPONSIBILITY:
By using this indicator, you acknowledge that:
โข You are solely responsible for your trading decisions
โข You understand the substantial risks involved
โข You will not hold the creator liable for losses
โข You will conduct your own research and analysis
โข You may consult a licensed financial professional
โข You are using this tool entirely at your own risk
AS-IS PROVISION:
This indicator is provided "AS IS" without warranty of any kind,
express or implied, including but not limited to warranties of
merchantability, fitness for a particular purpose, or non-infringement.
The creator is not a registered investment advisor, financial planner,
or broker-dealer. This tool is not approved or endorsed by any
financial authority.
๐ ABOUT THE CREATOR
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
Created by: Zakaria Safri
Specialization: Technical analysis indicator development
Focus: Multi-factor analysis, risk visualization, trend detection
This is an educational tool designed to demonstrate technical
analysis concepts and multi-factor signal generation methods.
๐ VERSION INFO
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
Version: 1.0
Platform: TradingView Pine Script v5
License: Mozilla Public License 2.0
Creator: Zakaria Safri
Year: 2024
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ
Study Carefully, Trade Wisely, Manage Risk Properly
TradeVision Pro - Educational Trading Tool
Created by Zakaria Safri
โโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโโ