PIP Algorithm
# **Script Overview (For Non-Coders)**
1. **Purpose**
- The script tries to capture the essential “shape” of price movement by selecting a limited number of “key points” (anchors) from the latest bars.
- After selecting these anchors, it draws straight lines between them, effectively simplifying the price chart into a smaller set of points without losing major swings.
2. **How It Works, Step by Step**
1. We look back a certain number of bars (e.g., 50).
2. We start by drawing a straight line from the **oldest** bar in that range to the **newest** bar—just two points.
3. Next, we find the bar whose price is *farthest away* from that straight line. That becomes a new anchor point.
4. We “snap” (pin) the line to go exactly through that new anchor. Then we re-draw (re-interpolate) the entire line from the first anchor to the last, in segments.
5. We repeat the process (adding more anchors) until we reach the desired number of points. Each time, we choose the biggest gap between our line and the actual price, then re-draw the entire shape.
6. Finally, we connect these anchors on the chart with red lines, visually simplifying the price curve.
3. **Why It’s Useful**
- It highlights the most *important* bends or swings in the price over the chosen window.
- Instead of plotting every single bar, it condenses the information down to the “key turning points.”
4. **Key Takeaway**
- You’ll see a small number of red line segments connecting the **most significant** points in the price data.
- This is especially helpful if you want a simplified view of recent price action without minor fluctuations.
## **Detailed Logic Explanation**
# **Script Breakdown (For Coders)**
//@version=5
indicator(title="PIP Algorithm", overlay=true)
// 1. Inputs
length = input.int(50, title="Lookback Length")
num_points = input.int(5, title="Number of PIP Points (≥ 3)")
// 2. Helper Functions
// ---------------------------------------------------------------------
// reInterpSubrange(...):
// Given two “anchor” indices in `linesArr`, linearly interpolate
// the array values in between so that the subrange forms a straight line
// from linesArr to linesArr .
reInterpSubrange(linesArr, segmentLeft, segmentRight) =>
float leftVal = array.get(linesArr, segmentLeft)
float rightVal = array.get(linesArr, segmentRight)
int segmentLen = segmentRight - segmentLeft
if segmentLen > 1
for i = segmentLeft + 1 to segmentRight - 1
float ratio = (i - segmentLeft) / segmentLen
float interpVal = leftVal + (rightVal - leftVal) * ratio
array.set(linesArr, i, interpVal)
// reInterpolateAllSegments(...):
// For the entire “linesArr,” re-interpolate each subrange between
// consecutive breakpoints in `lineBreaksArr`.
// This ensures the line is globally correct after each new anchor insertion.
reInterpolateAllSegments(linesArr, lineBreaksArr) =>
array.sort(lineBreaksArr, order.asc)
for i = 0 to array.size(lineBreaksArr) - 2
int leftEdge = array.get(lineBreaksArr, i)
int rightEdge = array.get(lineBreaksArr, i + 1)
reInterpSubrange(linesArr, leftEdge, rightEdge)
// getMaxDistanceIndex(...):
// Return the index (bar) that is farthest from the current “linesArr.”
// We skip any indices already in `lineBreaksArr`.
getMaxDistanceIndex(linesArr, closeArr, lineBreaksArr) =>
float maxDist = -1.0
int maxIdx = -1
int sizeData = array.size(linesArr)
for i = 1 to sizeData - 2
bool isBreak = false
for b = 0 to array.size(lineBreaksArr) - 1
if i == array.get(lineBreaksArr, b)
isBreak := true
break
if not isBreak
float dist = math.abs(array.get(linesArr, i) - array.get(closeArr, i))
if dist > maxDist
maxDist := dist
maxIdx := i
maxIdx
// snapAndReinterpolate(...):
// "Snap" a chosen index to its actual close price, then re-interpolate the entire line again.
snapAndReinterpolate(linesArr, closeArr, lineBreaksArr, idxToSnap) =>
if idxToSnap >= 0
float snapVal = array.get(closeArr, idxToSnap)
array.set(linesArr, idxToSnap, snapVal)
reInterpolateAllSegments(linesArr, lineBreaksArr)
// 3. Global Arrays and Flags
// ---------------------------------------------------------------------
// We store final data globally, then use them outside the barstate.islast scope to draw lines.
var float finalCloseData = array.new_float()
var float finalLines = array.new_float()
var int finalLineBreaks = array.new_int()
var bool didCompute = false
var line pipLines = array.new_line()
// 4. Main Logic (Runs Once at the End of the Current Bar)
// ---------------------------------------------------------------------
if barstate.islast
// A) Prepare closeData in forward order (index 0 = oldest bar, index length-1 = newest)
float closeData = array.new_float()
for i = 0 to length - 1
array.push(closeData, close )
// B) Initialize linesArr with a simple linear interpolation from the first to the last point
float linesArr = array.new_float()
float firstClose = array.get(closeData, 0)
float lastClose = array.get(closeData, length - 1)
for i = 0 to length - 1
float ratio = (length > 1) ? (i / float(length - 1)) : 0.0
float val = firstClose + (lastClose - firstClose) * ratio
array.push(linesArr, val)
// C) Initialize lineBreaks with two anchors: 0 (oldest) and length-1 (newest)
int lineBreaks = array.new_int()
array.push(lineBreaks, 0)
array.push(lineBreaks, length - 1)
// D) Iteratively insert new breakpoints, always re-interpolating globally
int iterationsNeeded = math.max(num_points - 2, 0)
for _iteration = 1 to iterationsNeeded
// 1) Re-interpolate entire shape, so it's globally up to date
reInterpolateAllSegments(linesArr, lineBreaks)
// 2) Find the bar with the largest vertical distance to this line
int maxDistIdx = getMaxDistanceIndex(linesArr, closeData, lineBreaks)
if maxDistIdx == -1
break
// 3) Insert that bar index into lineBreaks and snap it
array.push(lineBreaks, maxDistIdx)
array.sort(lineBreaks, order.asc)
snapAndReinterpolate(linesArr, closeData, lineBreaks, maxDistIdx)
// E) Save results into global arrays for line drawing outside barstate.islast
array.clear(finalCloseData)
array.clear(finalLines)
array.clear(finalLineBreaks)
for i = 0 to array.size(closeData) - 1
array.push(finalCloseData, array.get(closeData, i))
array.push(finalLines, array.get(linesArr, i))
for b = 0 to array.size(lineBreaks) - 1
array.push(finalLineBreaks, array.get(lineBreaks, b))
didCompute := true
// 5. Drawing the Lines in Global Scope
// ---------------------------------------------------------------------
// We cannot create lines inside barstate.islast, so we do it outside.
array.clear(pipLines)
if didCompute
// Connect each pair of anchors with red lines
if array.size(finalLineBreaks) > 1
for i = 0 to array.size(finalLineBreaks) - 2
int idxLeft = array.get(finalLineBreaks, i)
int idxRight = array.get(finalLineBreaks, i + 1)
float x1 = bar_index - (length - 1) + idxLeft
float x2 = bar_index - (length - 1) + idxRight
float y1 = array.get(finalCloseData, idxLeft)
float y2 = array.get(finalCloseData, idxRight)
line ln = line.new(x1, y1, x2, y2, extend=extend.none)
line.set_color(ln, color.red)
line.set_width(ln, 2)
array.push(pipLines, ln)
1. **Data Collection**
- We collect the **most recent** `length` bars in `closeData`. Index 0 is the oldest bar in that window, index `length-1` is the newest bar.
2. **Initial Straight Line**
- We create an array called `linesArr` that starts as a simple linear interpolation from `closeData ` (the oldest bar’s close) to `closeData ` (the newest bar’s close).
3. **Line Breaks**
- We store “anchor points” in `lineBreaks`, initially ` `. These are the start and end of our segment.
4. **Global Re-Interpolation**
- Each time we want to add a new anchor, we **re-draw** (linear interpolation) for *every* subrange ` [lineBreaks , lineBreaks ]`, ensuring we have a globally consistent line.
- This avoids the “local subrange only” approach, which can cause clustering near existing anchors.
5. **Finding the Largest Distance**
- After re-drawing, we compute the vertical distance for each bar `i` that isn’t already a line break. The bar with the biggest distance from the line is chosen as the next anchor (`maxDistIdx`).
6. **Snapping and Re-Interpolate**
- We “snap” that bar’s line value to the actual close, i.e. `linesArr = closeData `. Then we globally re-draw all segments again.
7. **Repeat**
- We repeat these insertions until we have the desired number of points (`num_points`).
8. **Drawing**
- Finally, we connect each consecutive pair of anchor points (`lineBreaks`) with a `line.new(...)` call, coloring them red.
- We offset the line’s `x` coordinate so that the anchor at index 0 lines up with `bar_index - (length - 1)`, and the anchor at index `length-1` lines up with `bar_index` (the current bar).
**Result**:
You get a simplified representation of the price with a small set of line segments capturing the largest “jumps” or swings. By re-drawing the entire line after each insertion, the anchors tend to distribute more *evenly* across the data, mitigating the issue where anchors bunch up near each other.
Enjoy experimenting with different `length` and `num_points` to see how the simplified lines change!
Komut dosyalarını "algo" için ara
V1 [SMRT Algo]SMRT Algo V1 is a versatile trading indicator designed to provide traders with clear and actionable signals.
The system includes both standard buy/sell signals and confirmed buy/sell signals, denoted by an 'x', which appear after a signal is validated. Traders have the flexibility to enable or disable the confirmed signals based on their trading strategy preferences.
The combination of standard and confirmed buy/sell signals ensures that traders receive both initial alerts and validated signals, thereby enhancing the accuracy and reliability of trade entries. This dual-signal approach helps filter out false signals, providing an additional layer of security for traders.
Core Features:
Standard Signals: These signals are generated based on a pullback logic, where a signal is printed when the price returns to the average price level (the pullback zone) and starts to move away, indicating a potential trend continuation or reversal.
Confirmed Signals ('x'): These appear after the initial signal, providing additional validation and reducing false signals. This feature is particularly useful for traders who seek a higher level of confirmation before entering a trade.
MA Filter: The Moving Average (MA) Filter is a critical component that filters trades to ensure that only those aligned with the prevailing trend are considered. This filter helps in eliminating signals that go against the primary market trend, thereby increasing the probability of successful trades.
Dynamic Support and Resistance (S/R): The Dynamic S/R feature uses background plots to denote zones of support and resistance that are continuously updated based on market movements. These zones are used as part of the signal generation process, helping to identify key levels where price action may reverse or accelerate.
Take Profit (TP) and Stop Loss (SL) Levels: Each trade signal is accompanied by predefined TP and SL levels, offering traders clear guidance on potential exit points. TP levels are structured to provide different risk-reward ratios (e.g., TP1 for 1:1, TP2 for 1:2, TP3 for 1:3), allowing for flexible trade management according to individual risk tolerance and market conditions.
The MA Filter further refines this process by aligning trades with the prevailing market trend. By using a moving average as a filter, the system ensures that signals are only generated in the direction of the trend, reducing the likelihood of counter-trend trades that often carry higher risks. This feature is particularly beneficial in trending markets where maintaining the direction of trades with the overall trend increases the probability of success.
Dynamic Support and Resistance (S/R) zones play a crucial role in the indicator's signal generation and trade management strategies. These zones are not static but adjust in real-time based on market conditions, providing traders with up-to-date information on critical price levels. The integration of dynamic S/R with the signal generation process helps in identifying potential reversal or acceleration points, making it a valuable tool for both trend-following and reversal strategies.
Input Settings:
Show Confirmed Signals: Turning this on will show the ‘x’ on the chart, meaning a signal is confirmed.
Trend Bar Color: Turning this on will result in the signal candle being colored green for buy, and red for sell.
RSI Filter: Turning this feature off will result in not requiring the RSI condition to be met in order for signals to be generated. Turning this off will result in a higher frequency of signals.
X-Bar Range: How far back the indicator will look for signals. Increasing this value will lead to more signals generated, decreasing will lead to less signals.
MA Filter: Turning this on will result in only buy trades being printed when price is above the MA cloud, the opposite for sells. Turning this off will increase in more signals.
Dynamic S/R: This is the trend cloud that is shown on screen. It acts as a dynamic support/resistance as it moves along with price. This zone often acts as a retest (support) zone and is also where signals are often generated. It can be turned on/off visually.
TP/SL: The take profit & stop loss zones can be turned on/off. The size of TP/SL can also be adjusted by increasing or decreasing the multiplier and length values.
These components are not isolated features but work together to create a cohesive and comprehensive trading system. The standard and confirmed signals provide timely and validated entry points, while the MA Filter ensures these entries align with the broader trend. The dynamic S/R zones add another layer of analysis, highlighting critical levels that can influence price movements. Together, these features offer a well-rounded view of the market, enabling traders to make more informed and strategic decisions. The inclusion of TP and SL levels integrates risk management into every trade, making the system not only a tool for identifying trades but also for managing them effectively.
The SMRT Algo Suite offers a comprehensive set of tools and features that extend beyond the capabilities of standard or open-source indicators, providing significant additional value to users.
Advanced Customization: Users can customize various aspects of the indicator, such as toggling the confirmation signals on or off and adjusting the parameters of the MA Filter. This customization enhances the adaptability of the tool to different trading styles and market conditions.
Enhanced Market Understanding: The combination of pullback logic, dynamic S/R zones, and MA filtering offers traders a nuanced understanding of market dynamics, helping them make more informed trading decisions.
Unique Features: The specific combination of pullback logic, dynamic S/R, and multi-level TP/SL management is unique to SMRT Algo V1, offering features that are not readily available in standard or open-source indicators.
Educational and Support Resources: As with other products in the SMRT Algo suite, this indicator comes with comprehensive educational resources and access to a supportive trading community, as well as 24/7 Discord support.
The educational resources and community support included with SMRT Algo ensure that users can maximize the indicators’ potential, offering guidance on best practices and advanced usage.
SMRT Algo believe that there is no magic indicator that is able to print money. Indicator toolkits provide value via their convinience, adaptibility and uniqueness. Combining these items can help a trader make more educated; less messy, more planned trades and in turn hopefully help them succeed.
RISK DISCLAIMER
Trading involves significant risk, and most day traders lose money. All content, tools, scripts, articles, and educational materials provided by SMRT Algo are intended solely for informational and educational purposes. Past performance is not indicative of future results. Always conduct your own research and consult with a licensed financial advisor before making any trading decisions.
Reversal Finder [SMRT Algo]The Reversal Indicator is designed for traders who use contrarian strategies, focusing on identifying potential reversal points in the market. This indicator leverages mean and deviation calculations, along with bar pattern movements, to provide insights into price movements and potential turning points.
Features:
The Reversal Indicator is tailored for contrarian trading, which involves taking positions against the trend to capitalize on potential reversals. This approach is inherently riskier, as it aims to identify precise highs and lows in the market.
Configurable Sensitivity: Traders can adjust the sensitivity of the indicator, which determines how many confirmation candles are required before a signal is generated. Higher sensitivity values mean more confirmation candles, resulting in later but more reliable signals. This feature allows traders to balance between early entries and signal accuracy.
Separate Buy & Sell Sensitivities: Buy and sell sensitivities can be adjusted separately which provides greater flexibility, enabling traders to fine-tune the indicator based on market conditions or personal trading preferences.
Reversal Bands: The indicator features color-coded bands (green, yellow, red) that represent different levels of price overextension. The dynamic nature of these bands, which adjust based on real-time market data, provides a constantly updated visual representation of potential reversal zones.
- Green Band: Indicates the initial phase where price is starting to get overextended.
- Yellow Band: Suggests a moderate level of overextension.
- Red Band: Signals a high likelihood of reversal due to significant overextension.
Signal Generation: The indicator only searches for buy or sell signals when the price enters these reversal bands, thereby focusing on zones with a higher probability of a reversal.
Take Profit (TP) & Stop Loss (SL) Features: The indicator includes predefined TP and SL levels, calculated based on a risk-to-reward ratio with respect to the stop loss. For instance, TP1 corresponds to a 1:1 ratio, up to TP3, allowing traders to manage risk effectively and set realistic profit targets.
Band-Based Take Profit: In addition to standard TP levels, traders can use the reversal bands themselves as take profit zones, targeting the green, yellow, or red areas to close trades. This dual-layered approach provides more nuanced trade management options.
Alert System: The indicator allows traders to set alerts for when signals are generated, ensuring they do not miss potential trading opportunities.
A signal is generate when we have x-consecutive bullish/bearish bars for a buy or sell signal respectively. This is what the 'Sensitivity' input controsl for in the settings. A signal is only generated when price enters the deviation bands, as those are areas where a reversal is of higher probability.
The Reversal indicator uses mean and deviation calculations, which are fundamental to the Reversal Indicator, providing a statistical baseline for identifying overextended price movements. By measuring how far price deviates from its mean, the indicator identifies conditions where a reversal is more likely. This statistical foundation ensures that the signals are based on objective data, rather than subjective judgment.
The integration of bar pattern analysis with mean and deviation calculations allows the indicator to add a layer of context to the raw data. Bar patterns are used to confirm potential reversals by analyzing the formation of candles and the overall structure of the price action. This component enhances the accuracy of signals by ensuring they are not only statistically significant but also contextually relevant.
The Reversal Indicator’s unique sensitivity adjustment feature allows traders to fine-tune the responsiveness of the signals. This flexibility means the indicator can be adapted to various market conditions, enhancing its utility across different trading environments. The separate adjustment for buy and sell sensitivities further allows traders to customize the indicator based on their specific trading strategies, whether they are more conservative or aggressive in their approach.
The Reversal Indicator's unique combination of statistical and pattern-based analysis, customizable settings, and dynamic real-time components offers significant added value compared to standard indicators.
The SMRT Algo Suite, which the Reversal Finder is a part of, offers a comprehensive set of tools and features that extend beyond the capabilities of standard or open-source indicators, providing significant additional value to users.
What you also get with the SMRT Algo Suite:
Advanced Customization: Users can customize various aspects of the indicator, such as toggling the confirmation signals on or off and adjusting the parameters of the MA Filter. This customization enhances the adaptability of the tool to different trading styles and market conditions.
Enhanced Market Understanding: The combination of pullback logic, dynamic S/R zones, and MA filtering offers traders a nuanced understanding of market dynamics, helping them make more informed trading decisions.
Unique Features: The specific combination of pullback logic, dynamic S/R, and multi-level TP/SL management is unique to SMRT Algo, offering features that are not readily available in standard or open-source indicators.
Educational and Support Resources: As with other tools in the SMRT Algo suite, this indicator comes with comprehensive educational resources and access to a supportive trading community, as well as 24/7 Discord support.
The educational resources and community support included with SMRT Algo ensure that users can maximize the indicators’ potential, offering guidance on best practices and advanced usage.
SMRT Algo believe that there is no magic indicator that is able to print money. Indicator toolkits provide value via their convinience, adaptibility and uniqueness. Combining these items can help a trader make more educated; less messy, more planned trades and in turn hopefully help them succeed.
RISK DISCLAIMER
Trading involves significant risk, and most day traders lose money. All content, tools, scripts, articles, and educational materials provided by SMRT Algo are intended solely for informational and educational purposes. Past performance is not indicative of future results. Always conduct your own research and consult with a licensed financial advisor before making any trading decisions.
Jai's Algo SignalsOverview:
Jai's Algo Trade Indicator is a sophisticated trading tool designed to enhance your trading strategy by combining the strengths of two widely-used technical indicators: the Exponential Moving Average (EMA) and the Moving Average Convergence Divergence (MACD). This synergy provides a robust framework for identifying market trends and potential trade opportunities, making it ideal for both novice and experienced traders.
Justification for Combining EMA and MACD:
The EMA is a trend-following indicator that smooths out price data to highlight the direction of the trend, while the MACD is a momentum oscillator that reveals changes in the strength, direction, momentum, and duration of a trend. By integrating these two indicators, Jai's Algo Trade Indicator offers a comprehensive view of market conditions, allowing traders to make more informed decisions based on both trend direction and momentum.
How It Works:
Exponential Moving Average (EMA):
Calculation: The EMA is calculated using a user-defined period (default: 13). This moving average gives more weight to recent prices, making it responsive to new information.
Visualization: The EMA line is plotted on the chart and dynamically changes color: green when the price is above the EMA, red when below, and blue when the price is at the EMA.
Moving Average Convergence Divergence (MACD):
Calculation: The MACD is computed using three parameters: fast length (default: 12), slow length (default: 26), and signal smoothing (default: 9). The MACD line, signal line, and histogram are plotted to show the relationship between two moving averages of a security’s price.
Histogram: The MACD histogram is color-coded to indicate bullish (green), bearish (red), and neutral (gray) conditions, providing visual cues for momentum changes.
Impulse System:
Bar Colors: Bars are colored based on impulse conditions:
Green bars for bullish conditions (price above EMA and MACD histogram > 0).
Red bars for bearish conditions (price below EMA and MACD histogram < 0).
Blue bars for neutral conditions.
Trade Signals:
Buy Signal: A buy (call) signal is generated when a bullish candle crosses and closes above the EMA.
Sell Signal: A sell (put) signal is generated when a bearish candle crosses and closes below the EMA.
Visualization: Signals are displayed as green "BUY" labels below the bars and red "SELL" labels above the bars, providing clear entry and exit points.
How to Use:
Input Parameters:
Customize the EMA length, MACD fast length, slow length, and signal smoothing to fit your trading strategy and timeframe.
Visual Analysis:
Monitor the color-coded EMA line and histogram to understand the current market trend and momentum.
Use the bar colors to quickly identify bullish, bearish, and neutral conditions.
Trade Signals:
Follow the "BUY" and "SELL" signals to execute trades based on the indicator's analysis.
Combine these signals with other analysis techniques and risk management practices for optimal results.
Ideal For:
Traders looking to leverage a combination of trend-following and momentum indicators for more accurate trade entries and exits.
Those who want a clear and visual representation of market conditions to aid in their decision-making process.
Conclusion:
Jai's Algo Trade Indicator integrates the EMA and MACD to provide a powerful and comprehensive trading tool. By combining trend and momentum analysis, this indicator helps traders to make more informed decisions, enhancing their trading performance and confidence.
Han Algo - Moving average strategyHan Algo Indicator Strategy Description
Overview:
The Han Algo Indicator is designed to identify trend directions and signal potential buy and sell opportunities based on moving average crossovers. It aims to provide clear signals while filtering out noise and minimizing false signals.
Indicators Used:
Moving Averages:
200 SMA (Simple Moving Average): Used as a long-term trend indicator.
100 SMA: Provides a medium-term perspective on price movements.
50 SMA: Offers insights into shorter-term trends.
20 SMA: Provides a very short-term perspective on recent price actions.
Trend Identification:
The indicator identifies the trend based on the relationship between the closing price (close) and the 200 SMA (ma_long):
Uptrend: When the closing price is above the 200 SMA.
Downtrend: When the closing price is below the 200 SMA.
Sideways: When the closing price is equal to the 200 SMA.
Buy and Sell Signals:
Buy Signal: Generated when transitioning from a downtrend to an uptrend (buy_condition):
Displayed as a green "BUY" label above the price bar.
Sell Signal: Generated when transitioning from an uptrend to a downtrend (sell_condition):
Displayed as a red "SELL" label below the price bar.
Signal Filtering:
Signals are filtered to prevent consecutive signals occurring too closely (min_distance_bars parameter):
Ensures that only significant trend reversals are captured, minimizing false signals.
Visualization:
Background Color:
Changes to green for uptrend and red for downtrend (bgcolor function):
Provides visual cues for current market sentiment.
Usage:
Traders can customize the indicator's parameters (long_term_length, medium_term_length, short_term_length, very_short_term_length, min_distance_bars) to align with their trading preferences and timeframes.
The Han Algo Indicator helps traders make informed decisions by highlighting potential trend reversals and aligning with market trends identified through moving average analysis.
Disclaimer:
This indicator is intended for educational purposes and as a visual aid to support trading decisions. It should be used in conjunction with other technical analysis tools and risk management strategies.
[FXAN] 77 Cygni Algorithm (Swing Trading)⚜️ FXAN CYGNI INDICATORS ORIGINALITY
Originality comes from proprietary formula we use to measure the relationship between Volume and Price Volatility in relation to overall current market positioning in developing Volume Profile and multiple custom period Volume Profiles. We combine that with our own approach to measure price velocity in correlation to average daily/weekly/monthly ranges of the given market.
The relationship between current volume and price volatility gives us information about how much the volume that is currently coming into the market affects the price movement (volatility) and which side is more dominant/involved in the market (Buyers/Sellers). We call this the "Volume Impact" factor.
This information is then compared in relation to the overall current market positioning in developing Volume Profile and Multiple custom period Volume Profiles. We have created a rating system based on current price positioning in relation to the Volume Profile. Volume profile consists of different volume nodes, high volume nodes where we consider market interest to be high (a lot of transactions - High Volume) and low volume nodes where we consider market interest to be low (not a lot of transactions - Low Volume). We call this the current "Market Interest" factor.
We combine this information with our own approach to measure price velocity in correlation to the higher-timeframe price ranges. Calculation is done by measuring current ranges of market movement in correlation to average daily/weekly/monthly ranges. We call this "Price Velocity" factor.
This approach was applied to develop key components of our Tradingview Indicators, we've simplified some of the calculations and made them easy to use by programming them to display buying/selling volume pressure with colors.
In addition to our own proprietary formulas and criterias to measure volume impact on price, we've also used an array of indicators that measure the percentage change in volume over custom specified periods of time, including custom period ranged Volume Profile, Developing VA, Accumulation/Distribution (A/D Line), Volume Rate of Change (VROC), Volume Price Trend (VPT) - all of them with of course fine-tuned settings to fit the purpose in the overall calculation.
Reasons for multiple indicator use:
Custom period ranged Volume Profiles: To determine current interest of market participants. Used for "Market Interest"
Developing VA: To determine current fair price of the market (value area). Used for "Market Interest".
Accumulation/Distribution (A/D Line): Helping to gauge the strength of buying and selling pressure. Used for "Volume Impact"
Volume Rate of Change (VROC): To give us information about percentage change in volume. Used for "Volume Impact"
Volume Price Trend (VPT): To help identify potential trends. Used for "Volume Impact".
Average True Range (ATR): Used for measuring volatility. Used for "Volume Impact" and "Price Velocity".
Average Daily Range (ADR): Used for measuring average market price movement. Used for "Price Velocity".
How it all works together:
"Volume Impact" factor tells us the influence of incoming market volume on price movement. This information alongside the overall market positioning information derived from "Market Interest" factor combined with information about speed and direction relative to higher-timeframe price ranges frin "Price Velocity.
This is the basis of our proprietary developed Volume Dynamics analysis approach
"Volume Impact" x "Market Interest" x "Price Velocity"
Combining this factors together gives a good overall understanding of which side is currently more involved in the market to gauge the direction ("Volume Impact"), where the market is currently positioned to gauge the context ("Market Interest") and what the current market's momentum to improve the timing of our trades ("Price Velocity"). This increases our probabilities for successful trades, executed with good timing.
To simplify - our indicators will always analyze the volume behind every price movement and rate those movements based on the relationship between movement distance and volume behind it through an array of criterias and rate them.
Colors displayed by the indicators will be a result of that, suggesting which side of the market (Buyers or sellers) is currently more involved in the market, aiming to increase the probabilities for profitable trades. With the help of our indicators you have deep volume analysis behind price movements done without looking at anything else then indicator components.
🔷 OVERVIEW
Cygni 77 Algorithm is a TradingView indicator designed to help determine higher timeframe market context and long-term market sentiment and trends. It analyzes the underlying volume behind market movements and colors the candles with the help of formulas that include technical analysis and market price action. It caters to traders looking for swing trading setups or additional perspectives for day trading sentiment.
🔷 KEY FEATURES
▊ Candle Coloring
▊ Dynamic Support & Resistance Lines
▊ Dots | Above and below the candles
▊ Colored Bar | on the bottom of the chart
🔷 HOW DOES IT WORK?
□ Candle colors will indicate the general market trend from the technical analysis perspective. The calculation for this component uses price action concepts and segments from technical analysis, for example, candle/price structural breaks. Volume is not used for calculations of this component.
□ Dynamic Support & Resistance Lines indicate the current market structure from the technical analysis perspective. The calculation uses pure price action and structural analysis of the current market movements.
□ Candle Dots show what are the mid-term volume dynamics in the market by referencing the daily average price weighted by volume with the periods ranging from days to weeks. Candle Dots suggest what is the likely direction of the market's trend from the mid-term perspective. If the market is bullish, you’ll see the green dots printed below the candles, and if the market is bearish, the dots will color red and print above the candles.
□ Colored Bar analyzes long-term volume dynamics and the market's price action for the past three to six weeks, referencing average price weighted by volume. This makes it much less sensitive than the Candle Dots, so the colors won't change that often. If the market is bullish, you’ll see the green bars, and if the market is bearish, the bars will color red.
🔷 HOW TO USE IT?
□ In general, we look for areas where all components are in sync. These are valid trading signals (refer to the usage example below).
□ If all components are not in sync, we should look for at least two of them to be in sync, while one of them must be the Colored Bar.
□ Candle Colors: Looking for longs when the candles are green and looking for shorts when the colors are red
□ Dynamic Support & Resistance Lines: Used for placing entries and stop-loss limits. Using retest of the line for entry and placing the stop-loss beyond it. Or if we're entering based on other components, we can use the line to place the stop-loss beyond it.
□ Candle Dots: Looking to trade in the direction of the color. If the market is bullish, you’ll see the green dots, and if the market is bearish, the dots will color red.
□ Colored Bar: Most important component of this indicator, we favor trading in the direction suggested by this component. Additional confirmation of other components is a bonus. Colors here don't change that often, but once they do - it usually signals a long-term trend shift. Green color suggests a bullish market, trading long. Red color suggests bearish market, trading short.
🔷 COMBINING THE COMPONENTS
Each component of the indicator serves its own purpose and analyzes the market from its own perspective and with its own custom settings and formulas. The calculation of the individual component is done independently from the calculation of the other components. Once all of them align, we can execute trades with an edge as it signals that different aspects of volume and price analysis line up for the trading opportunity.
-Candle Colors performs technical analysis for you by displaying the colors of a favorable market direction based on the market's current technical structure.
- Dynamic Support & Resistance Lines are used for placing your entry/exit limit orders.
-Candle Dots are used to determine the favorable direction of the market based on Daily Volume Dynamics, with custom timeframe settings ranging from a couple of days to a couple of weeks.
-The Colored Bar is used to gauge the overall favorable trading direction based on Daily Volume Dynamics with custom timeframe settings ranging from 3 to 6 weeks.
It's important to combine the components to increase the probability of success - here's how you should look for a trade:
1. Assess the current most favorable market direction by referencing the Colored Bar. Look for longs if it’s green and for shorts if it’s red
2. Look for the Candle Dots to align with the Colored Bar, look for longs if it’s green and for shorts if it’s red
3. Look for the Candle Colors to align with the Colored Bar. Look for longs if it’s green and for shorts if it’s red
4. Place your SL level beyond the currently developing Support/Resistance line to protect your positions and look for exits once the colors change.
A valid example of the trade would be:
- Colored Bar is green, indicating the favorable trading directions is long
- Candle Dots are green, indicating the favorable trading directions is long
- Candle Colors are green, indicating the market structure is favorable to enter your positions
📊 USAGE EXAMPLE
[FXAN] 75 Cygni Algorithm (Day Trading)⚜️ FXAN CYGNI INDICATORS ORIGINALITY
Originality comes from proprietary formula we use to measure the relationship between Volume and Price Volatility in relation to overall current market positioning in developing Volume Profile and multiple custom period Volume Profiles. We combine that with our own approach to measure price velocity in correlation to average daily/weekly/monthly ranges of the given market.
The relationship between current volume and price volatility gives us information about how much the volume that is currently coming into the market affects the price movement (volatility) and which side is more dominant/involved in the market (Buyers/Sellers). We call this the " Volume Impact " factor.
This information is then compared in relation to overall current market positioning in developing Volume Profile and Multiple custom period Volume Profiles. We have created a rating system based on current price positioning in relation to the Volume Profile. Volume profile consists of different volume nodes, high volume nodes where we consider market interest to be high (a lot of transactions - High Volume) and low volume nodes where we consider market interest to be low (not a lot of transactions - Low Volume). We call this the current " Market Interest " factor.
We combine this information with our own approach to measure price velocity in correlation to the higher-timeframe price ranges. Calculation is done by measuring current ranges of market movement in correlation to average daily/weekly/monthly ranges. We call this " Price Velocity " factor.
This approach was applied to develop key components of our Tradingview Indicators, we've simplified some of the calculations and made them easy to use by programming them to display buying/selling volume pressure with colors.
In addition to our own proprietary formulas and criterias to measure volume impact on price, we've also used an array of indicators that measure the percentage change in volume over custom specified periods of time, including custom period ranged Volume Profile, Developing VA, Accumulation/Distribution (A/D Line), Volume Rate of Change (VROC), Volume Price Trend (VPT) - all of them with of course fine-tuned settings to fit the purpose in the overall calculation.
Reasons for multiple indicator use:
Custom period ranged Volume Profiles: To determine current interest of market participants. Used for " Market Interest "
Developing VA: To determine current fair price of the market (value area). Used for " Market Interest ".
Accumulation/Distribution (A/D Line): Helping to gauge the strength of buying and selling pressure. Used for " Volume Impact "
Volume Rate of Change (VROC): To give us information about percentage change in volume. Used for " Volume Impact "
Volume Price Trend (VPT): To help identify potential trends. Used for " Volume Impact ".
Average True Range (ATR): Used for measuring volatility. Used for " Volume Impact " and " Price Velocity" .
Average Daily Range (ADR): Used for measuring average market price movement. Used for " Price Velocity ".
How it all works together:
"Volume Impact" factor tells us the influence of incoming market volume on price movement. This information alongside the overall market positioning information derived from "Market Interest" factor combined with information about speed and direction relative to higher-timeframe price ranges frin "Price Velocity.
This is the basis of our proprietary developed Volume Dynamics analysis approach
"Volume Impact" x "Market Interest" x "Price Velocity"
Combining this factors together gives a good overall understanding of which side is currently more involved in the market to gauge the direction ("Volume Impact"), where the market is currently positioned to gauge the context ("Market Interest") and what the current market's momentum to improve the timing of our trades ("Price Velocity"). This increases our probabilities for successful trades, executed with good timing.
To simplify - our indicators will always analyze the volume behind every price movement and rate those movements based on the relationship between movement distance and volume behind it through an array of criterias and rate them.
Colors displayed by the indicators will be a result of that, suggesting which side of the market (Buyers or sellers) is currently more involved in the market, aiming to increase the probabilities for profitable trades. With the help of our indicators you have deep volume analysis behind price movements done without looking at anything else then indicator components.
🔷 OVERVIEW
Cygni 75 Algorithm is a TradingView indicator crafted to refine your market analysis and assist in identifying potential entry and exit points by analyzing the underlying volume behind market movements. It helps you determine the overall daily context of the market and its conditions/trends by offering a suite of features tailored to provide insights to traders across various market conditions.
🔷 KEY FEATURES
▊ Candle Coloring
▊ Deviation Bands
▊ Momentum Bar | on the bottom of the chart
▊ Area of Interest (AOI) | Yellow rectangle
🔷 HOW DOES IT WORK?
□ Candles will color in reference to the dominance of buyers or sellers based on underlying volume calculated by a proprietary formula. The green color indicates that buyers are in control, and the red color indicates the selling volume is dominating the market. To simplify, green means there's more buying - red means there's more selling.
□ Deviation bands are used to determine potential trade entries and exits, derived by average price weighted by volume.
□ Momentum Bar shows market momentum by analyzing the differences between multiple moving averages. Green is bullish; red is bearish. The colors will lighten up when momentum is strong, and once the market slows down, they will get darker.
□ Area of Interest (AOI) is used for contextual reference, derived from the previous day's market movements. They remain static throughout the current day.
🔷 HOW TO USE IT?
□ In general, we look for areas where all components are in sync. This are valid trading signals (refer to the usage example below).
□ Candle Colors: Looking for longs when the candles are green, and looking for shorts when the colors are red
□ Deviation Bands: Once we enter the trade, we can place the SL and TP levels at the closest bands.
□ Momentum Bar: Helps with the timing of the entry, looking to enter on light Green/Red colors. Longs when green and shorts when red.
□ Area Of Interest: Generally, we're expecting rotational conditions inside the area and breakouts above/below once the market price gets outside of it. Longs above the area and shorts below the area for breakouts.
🔷 COMBINING THE COMPONENTS
Each component of the indicator serves it's own purpose and analyzes the market from it's own perspective and with its own custom settings and formulas (one looks at trading direction from the perspective of the overall trend and the other looks at price volatility to measure momentum - different perspectives). The calculation of the individual component is done independently from other components. Once all of them align we're able to execute trades with edge as it signals that different aspects of volume and price analysis line up for the trading opportinity.
- Candle Colors are used for determining trading direction
- Deviation bands are used for determining TP/SL levels
- Momentum bar is used to for better timing of your entries/exits.
- AOI is used to help you determine potential market conditions
It's important to combine the components to increase the probability of success - here's how you should look for a trade:
1. Determine the direction you want to trade in with the help of Candle Colors
2. Assess the current market price in reference to AOI - look for longs if the price is above the AOI, shorts if the price is below AOI, and rotations if it's inside the AOI.
3. Wait for the right momentum to develop to improve the timing of the entry by using Momentum Bar.
4. Place TP/SL levels with the help of Deviation bands based on your risk appetite.
A valid example of the trade would be:
- Green Candle Colors (indicating longs)
- Market price is currently above the AOI or breaking the edge of AOI in the upside movement (indicating longs)
- Momentum Bar is Green (indicating long momentum)
- Placing SL to the closest Deviation Band below the price and TP to the closest Deviation Band above the price.
📊 USAGE EXAMPLES
[FXAN] 71 Cygni Algorithm (Scalping)⚜️ FXAN CYGNI INDICATORS ORIGINALITY
Originality comes from proprietary formula we use to measure the relationship between Volume and Price Volatility in relation to overall current market positioning in developing Volume Profile and multiple custom period Volume Profiles. We combine that with our own approach to measure price velocity in correlation to average daily/weekly/monthly ranges of the given market.
The relationship between current volume and price volatility gives us information about how much the volume that is currently coming into the market affects the price movement (volatility) and which side is more dominant/involved in the market (Buyers/Sellers). We call this the "Volume Impact" factor.
This information is then compared in relation to the overall current market positioning in developing Volume Profile and Multiple custom period Volume Profiles. We have created a rating system based on current price positioning in relation to the Volume Profile. Volume profile consists of different volume nodes, high volume nodes where we consider market interest to be high (a lot of transactions - High Volume) and low volume nodes where we consider market interest to be low (not a lot of transactions - Low Volume). We call this the current "Market Interest" factor.
We combine this information with our own approach to measure price velocity in correlation to the higher-timeframe price ranges. Calculation is done by measuring current ranges of market movement in correlation to average daily/weekly/monthly ranges. We call this "Price Velocity" factor.
This approach was applied to develop key components of our Tradingview Indicators, we've simplified some of the calculations and made them easy to use by programming them to display buying/selling volume pressure with colors.
In addition to our own proprietary formulas and criterias to measure volume impact on price, we've also used an array of indicators that measure the percentage change in volume over custom specified periods of time, including custom period ranged Volume Profile, Developing VA, Accumulation/Distribution (A/D Line), Volume Rate of Change (VROC), Volume Price Trend (VPT) - all of them with of course fine-tuned settings to fit the purpose in the overall calculation.
Reasons for multiple indicator use:
Custom period ranged Volume Profiles: To determine current interest of market participants. Used for "Market Interest"
Developing VA: To determine current fair price of the market (value area). Used for "Market Interest".
Accumulation/Distribution (A/D Line): Helping to gauge the strength of buying and selling pressure. Used for "Volume Impact"
Volume Rate of Change (VROC): To give us information about percentage change in volume. Used for "Volume Impact"
Volume Price Trend (VPT): To help identify potential trends. Used for "Volume Impact".
Average True Range (ATR): Used for measuring volatility. Used for "Volume Impact" and "Price Velocity".
Average Daily Range (ADR): Used for measuring average market price movement. Used for "Price Velocity".
How it all works together:
"Volume Impact" factor tells us the influence of incoming market volume on price movement. This information alongside the overall market positioning information derived from "Market Interest" factor combined with information about speed and direction relative to higher-timeframe price ranges frin "Price Velocity.
This is the basis of our proprietary developed Volume Dynamics analysis approach
"Volume Impact" x "Market Interest" x "Price Velocity"
Combining this factors together gives a good overall understanding of which side is currently more involved in the market to gauge the direction ("Volume Impact"), where the market is currently positioned to gauge the context ("Market Interest") and what the current market's momentum to improve the timing of our trades ("Price Velocity"). This increases our probabilities for successful trades, executed with good timing.
To simplify - our indicators will always analyze the volume behind every price movement and rate those movements based on the relationship between movement distance and volume behind it through an array of criterias and rate them.
Colors displayed by the indicators will be a result of that, suggesting which side of the market (Buyers or sellers) is currently more involved in the market, aiming to increase the probabilities for profitable trades. With the help of our indicators you have deep volume analysis behind price movements done without looking at anything else then indicator components.
🔷 OVERVIEW
Cygni 71 Algorithm is a TradingView indicator designed for short-term trading (scalping) and enhancing the precision of your entries/exits based on a higher timeframe market context. It analyzes the underlying volume behind market movements and colors the candles with the help of the Heiken-Ashi methodology to provide a clearer perspective on the market's potential direction and intentions.
🔷 KEY FEATURES
▊ Candle Coloring
▊ Upper Colored Bar
▊ Lower Colored Bar
🔷 HOW DOES IT WORK?
□ Candles will color in reference to the Heiken ashi "average bar" methodology, which uses a modified formula based on two-period averages. This way, you can observe the normal candlesticks with less noise as colors will suggest the most likely direction where the market might be heading.
□ Upper Colored Bar analyzes daily volume dynamics in the market's price action by referencing the daily average price weighted by volume. If the market is bullish, you’ll see the green bars, and if the market is bearish, the bars will color red.
□ Lower Colored Bar analyzes volume dynamics and the market's price action every few second and minute intervals by referencing average price weighted by volume. This makes it much more sensitive than the Upper Colored Bar. If the market is bullish, you’ll see the green bars, and if the market is bearish, the bars will color red.
🔷 HOW TO USE IT?
□ In general, we look for areas where all components are in sync. These are valid trading signals (refer to the usage example below).
□ If all components are not in sync, we should look for at least two of them to be in sync while one of them must be Upper Colored Bar.
□ Candle Colors: Looking for longs when the candles are green and looking for shorts when the colors are red
□ Upper Colored Bar: The most important component of this indicator is that we favor trading in the direction suggested by this component. Additional confirmation of other components is a bonus. The green color suggests a bullish market, trading long. Red color suggests bearish market, trading short.
□ Lower Colored Bar: This should not be used on its own but always combined with at least one of the other components due to its sensitivity. Colors are indicating longs when green and shorts when red.
🔷 COMBINING THE COMPONENTS
Each component of the indicator serves it's own purpose and analyzes the market from it's own perspective and with its own custom settings and formulas. The calculation of the individual component is done independently from other components. Once all of them align, we're able to execute trades with an edge as it signals that different aspects of volume and price analysis line up for the trading opportunity.
- Candle Colors are used for improving the timing of your entries/exits based on market structure
- Upper Colored Bar is used for determining the favorable direction of the market based on Daily Volume Dynamics.
- Lower Colored Bar used for determining the favorable direction of the market based on Second/Minute/3-minute Volume Dynamics.
It's important to combine the components to increase the probability of success - here's how you should look for a trade:
1. Assess the current most favorable market direction by referencing the Upper Colored bar, look for longs if it’s green and for shorts if it’s red
2. Look for the Candle Colors to align with the Upper Colored bar, look for longs if it’s green and for shorts if it’s red
3. Look for short-time frame volume dynamics to align with your entries, by referencing the Lower Colored Bar - look for longs if it’s green and for shorts if it’s red.
A valid example of the trade would be:
- Upper Colored Bar is green, indicating the favorable trading directions is long
- Lower Colored Bar is green, indicating the favorable trading directions is long
- Candle Colors are green, indicating the market structure is favorable to enter your positions
📊 USAGE EXAMPLE
Otekura Range Trade Algorithm [Chain Hood]The Range Trade Algorithm calculates the levels for Monday.
On the chart you will see that the Monday levels will be marked as 1 0 -1.
The M High level calculates Monday's high close and plots it on the screen.
M Low calculates the low close of Monday and plots it on the screen.
The coloured lines on the screen are the points of the range levels formulated with fibonacci values.
The indicator has its own Value table. The prices of the levels are written.
Potential Range breakout targets tell prices at points matching the fibonacci values. These are Take profit or reversal points.
Buy and Sell indicators are determined by the range breakout.
Users can set an alarm on the indicator and receive direct notification with their targets when a new range occurs.
Fib values are multiplied by range values and create an average target according to the price situation. These values represent an area. Breakdown targets show that the target is targeted until the area.
Alpha Cloud Algo Risk Reward CalculatorAlpha Cloud Algo Risk Reward Calculation Usage
This indicator helps users manage their positions by allowing them to set customizable take profit and stop loss levels. It helps investors better understand the risk and reward levels of their positions.
Indicator Settings:
Language: Choose the language of the indicator (currently only Turkish is available).
Position Type: Choose either a long or short position option.
Entry Price: Enter the price at which the position will be opened.
Risk Percentage (%): Specify the percentage you are willing to risk in the trade.
Take Profit Type: Choose an option to determine your take profit level as a ratio or price.
Take Profit Value: Enter your take profit level (depending on whether it is a ratio or price type).
Stop Loss Type: Choose an option to determine your stop loss level as a ratio or price.
Stop Loss Value: Enter your stop loss level (depending on whether it is a ratio or price type).
Leverage: Enter the amount of leverage you will use in the trade.
Investment Amount ($): Enter the amount of investment you have allocated for the trade.
Main Capital ($): Enter the amount of your available main capital.
Usage of the Indicator:
After filling in the indicator settings, the take profit and stop loss levels and labels will appear on the chart. The labels also show the amount of risk and reward, in addition to the levels.
The Stop Loss label contains the following information:
Stop Loss level
Total loss amount (in dollars)
Percentage risked (as a percentage of your main capital)
This indicator is designed to speed up the decision-making process and help investors more effectively evaluate potential risks. It allows investors to apply risk management strategies more effectively while trading.
Turkish Language
Alpha Cloud Algo Risk Reward Hesaplama Kullanımı
Bu gösterge, kullanıcıların pozisyonlarını yönetmelerine yardımcı olmak amacıyla özelleştirilebilir kar al ve stop loss seviyeleri belirlemelerini sağlar. Gösterge, yatırımcıların pozisyonlarındaki risk ve ödül seviyelerini daha iyi anlamalarına yardımcı olur.
Göstergenin Ayarları:
Dil: Göstergenin dilini seçin (şu anda sadece Türkçe mevcuttur).
Pozisyon Türü: Uzun (Long) veya kısa (Short) pozisyon seçeneklerinden birini belirleyin.
Giriş Fiyatı: Pozisyonun açılacağı fiyatı girin.
Risk Oranı (%): İşlemde riske atmak istediğiniz yüzdeyi belirleyin.
Kar Al Tipi: Kar al seviyenizi oran veya fiyat olarak belirlemek için seçeneklerden birini seçin.
Kar Al Değeri: Kar al seviyenizi girin (oran veya fiyat türüne bağlı olarak).
Stop Loss Tipi: Stop loss seviyenizi oran veya fiyat olarak belirlemek için seçeneklerden birini seçin.
Stop Loss Değeri: Stop loss seviyenizi girin (oran veya fiyat türüne bağlı olarak).
Kaldıraç: İşlemde kullanacağınız kaldıraç miktarını girin.
Yatırım Miktarı ($): İşlem için ayırdığınız yatırım miktarını girin.
Ana Para ($): Kullanılabilir ana paranızın miktarını girin.
Göstergenin Kullanımı:
Göstergenin ayarlarını doldurduktan sonra, grafik üzerinde belirtilen kar al ve stop loss seviyeleri ile etiketler görünecektir. Etiketler, seviyelerin yanı sıra risk ve ödül miktarlarını da gösterir.
Stop Loss etiketi aşağıdaki bilgileri içerir:
Stop Loss seviyesi
Toplam kayıp miktarı (dolar cinsinden)
Riske atılan yüzde (ana paranızın yüzdesi olarak)
Bu gösterge, yatırımcıların karar verme sürecini hızlandırmalarına ve potansiyel riskleri daha iyi değerlendirmelerine yardımcı olmak için tasarlanmıştır. Yatırımcıların, işlem yaparken risk yönetimi stratejilerini daha etkin bir şekilde uygulamalarına olanak tanır.
DeQuex Algo V2The DeQuex Algo V2 script is an advanced technical analysis tool that provides traders with a powerful set of features to help them identify potential trading opportunities in the market. The script is based on the widely used Moving Average Convergence Divergence (MACD) indicator, which is known for its ability to identify changes in trend direction.
The script has several input parameters that can be customized to meet the specific needs of each trader. This flexibility makes it a great tool for traders of all skill levels, from beginners to advanced traders. By adjusting the input parameters, traders can fine-tune the script to their preferred trading style and risk tolerance.
One of the key features of the DeQuex Algo V2 script is its ability to generate buy and sell signals based on MACD crosses. These signals are generated when the MACD line crosses above or below the signal line, indicating a potential change in trend direction. The script also includes options to display trend signals, which can be helpful in identifying the strength of the current trend.
In addition to the MACD indicator, the script also includes a dynamic support and resistance level calculation based on the basis and deviation of the price, as well as volume trend analysis using On Balance Volume (OBV). These features can be used to identify key levels of support and resistance, as well as determine the overall trend direction of the market. This information can be used to make more informed trading decisions and improve the chances of success in the market.
Overall, this script is powerful tool that can be used to help traders identify potential trading opportunities in the market. By using this script in conjunction with other technical analysis tools and fundamental analysis, traders can make more informed trading decisions and increase their chances of success.
Here are the main features of the script:
Moving Average Convergence Divergence (MACD) indicator: The script is based on the MACD indicator, which is widely used by traders to identify changes in trend direction. The script generates buy and sell signals based on MACD crosses, indicating potential changes in trend direction.
Customizable input parameters: The script has several input parameters that can be customized to meet the specific needs of each trader. This includes the sensitivity of the MACD indicator, the source of the price data, the smoothing period, the type of moving average to use, and the display options for trend signals and price bars.
Trend signals: The script includes options to display trend signals, which can be helpful in identifying the strength of the current trend. This can help traders determine whether to enter a trade or wait for a better opportunity.
Dynamic support and resistance levels: The script includes a dynamic support and resistance level calculation based on the basis and deviation of the price. This can help traders identify key levels of support and resistance, which can be used to determine potential entry and exit points.
Volume trend analysis: The script uses On Balance Volume (OBV) to determine the volume trend in the market. This can be used to identify potential changes in trend direction and to confirm the strength of the current trend.
Alert system: The script includes an alert system that can notify traders when a buy or sell signal is generated. This can be helpful for traders who are not able to monitor the market at all times.
kali algo trade Hodl/swing/scalpThis algo proposes several elements:
- Trend indicator (bottom)
- Divergence label
- Supertrend label
- EMA
- Danger zone WMC overbought/overbuy
- Background color red/green for buy zone sell zone
It can be used for scalping, swing trading or finding buy zones/ sell zones for long term positions.
In the case of short term positions, remember to look for trend confirmation on higher periods. The trend indicator can help you.
The red and green background color areas are found by the following indicator:
- MFI
- RSI
- StochRSI
- ema
- W%R_21e13
This indicator offers different and automated parameters depending on the time interval displayed.
Buy zones are more optimized than the sell zones.
In my opinion, this is the most important tool in the whole algo
With this algo you can quickly switch from one currency to another and adapt the timeframe to find the best configuration.
Lune Market Analysis Premium- Version 0.9 -
Lune Algo was developed and built by Lune Trading, utilizing years of their trading expertise. This indicator works on all stocks, cryptos, indices, forex, futures , currencies, ETF's, energy and commodities. All the tools and features you need to assist you on your trading journey. Best of all, Lune Algo is easy to use and many of our tools and strategies have been thoroughly backtested thousands of times to ensure that users have the best experience possible.
Overview
Trade Dashboard—Provides information about the current market conditions, Such as if the market is trending up or down, how much volatility is in the market and even displays information about the current signal.
Trade Statistics—This tool gives you a breakdown of the Statistics of the current selected strategy based on backtests. It tells you the percentage of how often a Take Profit or Stop Loss was hit within a specific time period. Risk and Trade management is very important in trading, and can be the difference between a winning and losing strategy. So we believe that this was mandatory.
Current Features:
Advanced Buy and Sell Signals
Exclusive built-in Strategies
Lune Confidence AI
EK Clouds
Reversal Bands
Vray (Volume Ray)
Divergence Signals
Reversal Signals
Support/Resistance Zones
Built-in Themes
Built-in Risk Management system (take profit/stop loss)
Trade Statistics
Trade Assistance
Trade Dashboard
Advanced Settings
+ More coming soon, Big plans!
Features Breakdown:
Lune Confirmation—Used to help you confirm your trades and trend direction. It uses unique calculations, and its settings can be adjusted to allow traders to adapt the settings to fit their trading style.
Lune Confidence AI—All strategies are equipped with our exclusive built-in Confidence AI. This feature tells you how much confluence there is in a trade. It uses a rating system where signals are given a number from 0 to 5. A rating of 0 indicates that there is not a lot of confluence or confidence in the signal, while a rating of 5 indicates that there is a lot of confidence in the trade. This feature is not perfect and will be improved overtime.
Support/Resistance Zones—Calculates the most important support/resistance levels based on how many times a level has been used as support or resistance. Traders also refer to these as supply and demand zones and key levels.
EK Clouds—Used to further help you confirm trend and was optimized to also be used as support and resistance. This feature is powered by custom moving averages.
Reversal Bands—An optimized and improved version of the infamous Bollinger Bands. When price action takes place within the Reversal Bands it usually indicates that the current symbol is overextended and a reversal is possible.
Vray—Also Known as "Volume Ray", Assists you in better visualizing volume. This helps you find key levels and areas of support that you wouldn't be able to see otherwise. It helps you trade like the institutions.
This indicator's signals DO NOT REPAINT.
If you are using this script you acknowledge past performance is not necessarily indicative of future results and there are many more factors that go into being a profitable trader.
[Fedra Algotrading LR + TTP Indicator Lite]How it works?
- It calculates the linear regression of the last X candles and define a range based on a linear regression deviation (represented by the 3 parallel lines over the last candle).
-Open trades based on the breakout of the deviation of the linear regression (represented by the yellow triangle).
-Advanced trend filter to not open trades against the trend consist in 2 SMA cross and and a few other conditions, including sptionally super trend (Represented by the red and green background).
-Percentage take profit (represented by the horizontal green line. configurable)
-Percentage stop loss (represented by the horizontal red line. Configurable
-Break even when a trade has already opened and there is a change of trend. Calculated in 1.5% when the price is under the yellow SMA.
Alerts in each case to receive notifications (BUY & SELL, TP BE SL).
Added labels with entry price and PnL of each closed trade to facilitate optimization
BEST Algo HeatmapHello traders
How to access?
Offered to all the current customers
To be used alongside the BTI Algo Global script.
Heatmap
This heatmap screens the BTI Algo Global signals across different timeframes.
The screened timeframes are for now: m1/m2/m5/m15/m30/H1/H2/H4/H8/Daily
The trends are based on the triangle primary signals
Limitations
- I could only access the last 20K loaded candles, then you might see a blank case for the screened high timeframes when you're loading the screener on a low timeframe chart.
Example: a 1-minute chart with the screener might struggle sometimes to display the 4H/8H/Daily data
- What to do then?
I found a hack.
Just load the chart on a much higher timeframe and you should be able to see the latest timeframes from the heatmap
If any questions, please let me know
Dave
Daily Algo LevelsQuickly plot stoo's algo levels. Gives option to expand range based on algo error formula. Gives option to display suggested entry points.
Trendsurfer - A new type of moving average algorithmUsing a new type of lag reducing moving average algorithm, this indicator adapts it's sensitivity based on the strength of the trend and the volatility of the asset.
In doing so, signals can be given extremely fast during favorable market conditions. False signals can still appear, so visual confirmation/judgement is required before taking a trade.
The indicator:
Trend Bias Moving average . Thick green and orange line shows us trend bias.
- If the moving average is green, then the average price level is above the moving average = overall bullish conditions.
- As the moving average draws closer to price, or is straight, conditions are changing
- If the moving average is orange, then the average price level is below the moving average = overall bearish conditions.
Dual lag reduced instantaneous moving average.
This moving average is adaptive and fast, and will give buy and sell signals on crossover with price (EMA 6).
Buy and sell signals are shown visually using up and down arrow.
IMPORTANT: To filter out false signals, check other MA's like the 50 period hull moving average (dotted plot) for visual confirmation.
Furthermore, Significant support and resistance levels can be found on the right, shown as dotted horizontal lines. The importance of these levels is calculated based on the strength of the support/rejection, the volume, and the amount of times resistance and support was tested.
The location of the nearest moving averages below and above is also included as further potential support and resistance.
What to watch out for a good entry
- Watch for price to break out of the gray zone, and/or successfully retest it for a great entry.
Make your own decisions and never solely rely on a tool that should only be giving you an "indication".
Happy Trading,
MM
Trend Momentum AlgorithmThis algorithm comes from 2 inverse fisher transforms of a williams %R. After experimenting. I found that this is useful to understand the momentum of chart.
If green, only look for buy opportunities, if red, look for sells. If gray, look for whatever the previous colour was.
Can be useful with divergence. I'd look at a lower timeframe for confirmation (if divergence suggests turning bearish look for red on a lower timeframe. Be aware of the momentum on the timeframe above)
I put a tolerance filer on to help remove any smaller spikes. The larger the tolerance the less inaccuracies you will have but see the start of an new trend later.
This is a fun tool. Enjoy
Reversal Algo (Expo)"It has never been easier to find high probability trades"
Reversal Algo (Expo) is an automated Reversal System that analyzes the market in real-time and identifies high probability short term and long term trend reversal- and scalping signals as well as key market zones, and trends. The adaptive and unique reversal bands act as support & resistance zones, and together with the trend tracking feature, it serves as a trend confirmation. The system does also comes with a Top & Bottom finder that detects potential tops and bottoms that can be used as scalping entries or take profit points.
This Reversal System is developed to catch both short term and long term trend reversal and provide clarity in the current trend direction. The system aims to make it easier to come in early in a new trend as well as to stay longer in that trend. One of the main features is that the system has already filtered out false and choppy signals and aims to leave the most accurate ones.
One of the main goals was to make a system that works well without having Heiken Ashi candles. However, if you apply the system to Heiken Ashi candles you will have an additional layer of noise filtering.
Key differences between Trend Algo and Reversal Algo are that Reversal Algo is more responsive to price action and has a dynamic and adaptive Reversal cloud. The Reversal Algo does also has the tops/bottoms finder. These two systems can be used together.
The user can enable the following:
ATR Trailing Stop - Helps to identify the trend as well as where to have your stop loss.
Trend Tracking Line - Helps to identify Strong trends and areas of trend reversals.
Trend Steps- Helps to highlight where the current trend direction has found a new base.
Reversal Band - Helps to identify the trading range, strong trends, and areas of reversals.
Trend Scalping Dots - Helps to keep track of the short term price action.
Noise- and Signal filters:
Depending on your trading style you can choose between different trend filters and signals sensitivities.
Real-Time Alerts
No Repainting
Works on any market and in any timeframe
The indicator can be used standalone or as a part of your current trading strategy.
HOW TO USE
Use the indicator to identify reversal signals.
Use the indicator to identify trends.
Use the indicator to identify tops & bottoms signals.
Use the indicator to identify scalping signals.
INDICATOR IN ACTION
1-hour chart
Top/Bottom Finder
1-hour chart
I hope you find this indicator useful , and please comment or contact me if you like the script or have any questions/suggestions for future improvements. Thanks!
I will continually work on this indicator, so please share your experience and feedback as it will enable me to make even better improvements. Thanks to everyone that has already contacted me regarding my scripts. Your feedback is valuable for future developments!
-----------------
Disclaimer
Copyright by Zeiierman.
The information contained in my scripts/indicators/ideas does not constitute financial advice or a solicitation to buy or sell any securities of any type. I will not accept liability for any loss or damage, including without limitation any loss of profit, which may arise directly or indirectly from the use of or reliance on such information.
All investments involve risk, and the past performance of a security, industry, sector, market, financial product, trading strategy, or individual’s trading does not guarantee future results or returns. Investors are fully responsible for any investment decisions they make. Such decisions should be based solely on an evaluation of their financial circumstances, investment objectives, risk tolerance, and liquidity needs.
My scripts/indicators/strategies/ideas are only for educational purposes!
ACCESS THE INDICATOR
• Contact me on TradingView or use the links below
TradeMagna™ Timing Algo V2.5Over the years we've come up with three of the most profound problems that most traders struggle with:
1- when to take profits?!
2- how to hold my winning positions without overly thinking?
3- how can I get a trading system without conflicting indicators?
What makes TradeMagna Algo very unique is that it emphasizing the act of taking profit and be steady for the next position, and when you have a winning position it will let you keep it without overly thinking about closing it every while!
The main features you will find in our TradeMagna Algo V2 are standard buy&sell signals, strong signals, and candlestick coloring. All of these features don’t contradict each other but otherwise complement each other in an unprecedented way to be used as a complete trading system!
TradeMagna algo can identify synchronized trends “trend periods” and unsynchronized trends “ranging periods” when taking profits happens through range breakouts and multiple indicators working together under the hood without contradicting each other. Strong signals (Green or Red "Strong" tags) will trigger when either standard signals turned strong "synchronized", or when a new trend signal has triggered from purple candles.
When you get purple candles, it means to take profit and be steady for the next signal to trigger, or "be cautious" in your current position if the last triggered signal was strong.
Trend identifying strategies typically fails when markets are ranging and triggers many false signals, and to overcome this as best as possible, our purple candles indicate when strong signals may not be heading in the right direction; and that's what we mean by "be cautious" in your position...
Strong signals are the only signals for entering long or short positions and all standard buy and sell signals activate purple candles until it gets synchronized, so then it's safe to trade.
TradeMagna can be used on any market, and you can use either standard candlesticks, Heikin Ashi Candles (recommended), or TradeMagna Noise Removal (highly recommended) for spotting trends better as a swing trader.
Our strategy is ideally used for swing traders on higher timeframes such as 4H, 12H, 1D, 2D, 3D, 1W, and even on very high timeframes with good past results such as 1M, 3M on instruments like Bitcoin, currencies, Gold, or the S&P500, etc...
per our disclaimer on our website, if you are using this script you acknowledge that past performance is not necessarily indicative of future results, and no script can 100% guarantee success in trading.
You can use the link below to visit our website and gain access to the script.
[astropark] ALGO Trading V1.2 [alarms]Dear Followers,
today another awesome Swing and Scalping Trading Strategy indicator : the upgraded version of ALGO Trading V1 for Binance Bitcoin PERP on 15m timeframe!
It is runnable on a bot , just write me in order to help you do it.
If you are a scalper or you are a swing trader, you will love suggested entries for fast and long-lasting profit.
Keep in mind that a proper trailing stop strategy and risk management and money management strategies are very important (DM me if you need any clarification on these points).
This strategy has the following options:
enable/disable signals on chart
enable/disable bars and background coloring based on trend
enable/disable a Filter Noise option, which reduces overtrading
enable/disable a Trailing Stop option
enable/disable/config a Take Profit option, with Re-Entry
enable/disable a secret Smart Close Option which may improve profit on your chart (again, check it on you chart if it helps or not)
This strategy only trigger 1 buy (where to start a long trade) or 1 sell (for short trade). If you enable Take Profit / Stop Loss option, consider that many TP can be triggered before trend reversal, so take partial profit on every TP an eventually buy/sell back lower/higher on RE-ENTRY signal to maximize your profit.
This is not the "Holy Grail", so use proper money and risk management strategies.
This indicator will let you set all alerts you need in order to get notified whenever a new signal is triggered.
To check its backtesting, you should use the strategy version, that you can find by searching for "ALGO Trading V1.2" or here below:
You can check out previous ALGO Trading V1 indicator here below:
This is a premium indicator , so send me a private message in order to get access to this script.
FUNCTION: Goertzel algorithm -- DFT of a specific frequency binThis function implements the Goertzel algorithm (for integer N).
The Goertzel algorithm is a technique in digital signal processing (DSP) for efficient evaluation of the individual terms of the discrete Fourier transform (DFT).
In short, it measure the power of a specific frequency like one bin of a DFT, over a rolling window (N) of samples.
Here you see an input signal that changes frequency and amplitude (from 7 bars to 17). I am running the indicator 3 times to show it measuring both frequencies and one in between (13). You can see it very accurately measures the signals present and their power, but is noisy in the transition. Changing the block len will cause it to be more responsive but noisier.
Here is a picture of the same signal, but with white noise added.
If you have a cycle you think is present you could use this to test it, but the function is designed for integration in to more complicated scripts. I think power is best interrupted on a log scale.
Given a period (in bars or samples) and a block_len (N in Goertzel terminology) the function returns the Real (InPhase) and Quadrature (Imaginary) components of your signal as well as calculating the power and the instantaneous angle (in radians).
I hope this proves useful to the DSP folks here.
[astropark] ALGO Trading V2 [alarms]Dear Followers,
today another awesome Swing and Scalping Trading Strategy indicator, runnable on a bot , which works great on many timeframes (ones between 1h and 1D are suggested, but just write me in order to help you find correct settings).
It must be said that this strategy works even better on 1m Renko chart!
If you are a scalper or you are a swing trader, you will love suggested entries for fast and long-lasting profit.
Keep in mind that a proper trailing stop strategy and risk management and money management strategies are very important (DM me if you need any clarification on these points).
This is not an evolution of "ALGO Trading V1" or "ALGO Trading V3" , but a twin sister of them. Search them on TradingView to know them better.
Here you can find ALGO Trading V1
This strategy has the following options:
enable/disable signals on chart
enable/disable bars and background coloring based on trend
enable/disable a "filter noise" option , which try to reduce overtrading (you can easily check it on backtesting)
enable/disable a Take Profit / Stop Loss option (you can easily check it on backtesting too)
enable/disable a secret SmartOption which may improve profit on your chart (again, check it on you chart if it helps or not)
This strategy only trigger 1 buy or 1 sell. If you enable Take Profit / Stop Loss option, consider that many TP can be triggered before trend reversal, so take partial profit on every TP an eventually buy/sell back lower/higher to maximize your profit.
This script will let you set all notifications you may need in order to be alerted on each triggered signals.
The one for backtesting purpose can be found by searching for the astropark's "ALGO Trading V2" and then choosing the indicator with "strategy" suffix in the name, or you can find here below
Strategy results are calculated on the time window from January 2018 to now, so on more than 2 years, using 1000$ as initial capital and working at 1x leverage (so no leverage at all! If you like to use leverage, be sure to use a safe option, like 3x or 5x at most in order to have liquidation price very far).
This is not the "Holy Grail", so use a proper risk management strategy.
This is a premium indicator , so send me a private message in order to get access to this script.