Order Block Signals - Exclusive & Dynamicchhayanidhaval
high bracke then buy low brack then sell 1:1 tp
Candlestick analysis
Limit Bars By. Crypto_MatchЭтот индикатор находит и отображает уровни цен, где минимумы или максимумы текущей свечи совпадают с максимальными или минимальными ценами свечей в пределах 10 баров, при этом пользователь может настроить диапазон, стиль, цвет и толщину линий.
Moving Average Simple//@version=5
indicator("EMA 20 and 200 Crossover Strategy", overlay=true)
// Input parameters
emaShortLength = input.int(20, title="Short EMA Length", minval=1)
emaLongLength = input.int(200, title="Long EMA Length", minval=1)
// Calculate EMAs
emaShort = ta.ema(close, emaShortLength) // 20-period EMA
emaLong = ta.ema(close, emaLongLength) // 200-period EMA
// Plot EMAs
plot(emaShort, color=color.blue, title="EMA 20", linewidth=2)
plot(emaLong, color=color.red, title="EMA 200", linewidth=2)
// Crossover Conditions
buySignal = ta.crossover(emaShort, emaLong) // EMA 20 crosses above EMA 200
sellSignal = ta.crossunder(emaShort, emaLong) // EMA 20 crosses below EMA 200
// Plot Buy/Sell Signals
plotshape(series=buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Alerts
alertcondition(buySignal, title="Buy Signal Alert", message="EMA 20 crossed above EMA 200: Buy Signal")
alertcondition(sellSignal, title="Sell Signal Alert", message="EMA 20 crossed below EMA 200: Sell Signal")
Marubozu and Strong Candle DetectorMarubozu and Strong Candle Detector - Indicator Description
This TradingView Pine Script indicator identifies powerful price action signals by detecting two key candle types that can signal strong market momentum:
What It Detects
1. Marubozu Candles: These are candles with little to no wicks, where the body makes up almost the entire candle. Marubozu means "bald head" or "shaved head" in Japanese, referring to the absence of shadows (wicks).
o Bullish Marubozu: A green/up candle with minimal wicks, showing buyers controlled the entire session
o Bearish Marubozu: A red/down candle with minimal wicks, showing sellers dominated the session
2. Strong Candles: These are candles that are significantly larger than the recent average, suggesting exceptional momentum.
o Strong Bullish: Large green/up candles showing powerful buying pressure
o Strong Bearish: Large red/down candles showing powerful selling pressure
Trading Significance
• Bullish Marubozu/Strong Bullish Candles: Often signal the beginning of bullish trends or strong continuation of existing uptrends. These can be excellent entry points for long positions.
• Bearish Marubozu/Strong Bearish Candles: Often indicate the start of bearish trends or powerful continuation of existing downtrends. These can be good entry points for short positions or exit points for long positions.
Key Features
• Customizable Parameters: Adjust sensitivity for body ratio threshold and size comparison
• Visual Indicators: Easy-to-spot markers appear on your charts
• Information Display: Shows key metrics about the current candle
• Alert System: Set notifications for when significant candles form
How To Use This Indicator
1. For Entry Signals:
o Look for bullish Marubozu/strong bullish candles at support levels or after pullbacks
o Look for bearish Marubozu/strong bearish candles at resistance levels or after rallies
2. For Exit Signals:
o Consider taking profits on long positions when bearish Marubozu/strong bearish candles appear
o Consider taking profits on short positions when bullish Marubozu/strong bullish candles appear
3. For Trend Confirmation:
o Multiple signals in the same direction strengthen the case for a trend
This indicator works best on larger timeframes (1H, 4H, Daily) where candle formations have more significance, but can be applied to any timeframe based on your trading style.
Price Alert Indicator with TableIndicator Description: Price Alert Indicator with Table
The Custom Price Alert Indicator with Table is a TradingView script designed to help traders monitor and react to significant price levels during the Asian and London trading sessions. This indicator provides visual alerts and displays relevant session data in a user-friendly table format.
Key Features:
User-Defined Session Times:
Users can specify the start and end hours for both the Asian (default: 8 AM to 2 PM) and London (default: 2 PM to 8 PM) trading sessions in their local time zone.
This flexibility allows traders from different regions to customize the indicator according to their trading hours.
Real-Time Highs and Lows:
The indicator calculates and tracks the high and low prices for the Asian and London sessions in real-time.
It continuously updates these values as new price data comes in.
Touch Notification Logic:
Alerts are triggered when the price touches the session high or low points.
Notifications are designed to avoid repetition; if the London session touches the Asian high or low, subsequent touches are not alerted until the next trading day.
Interactive Table Display:
A table is presented in the bottom right corner of the chart, showing:
The Asian low and high prices
The London low and high prices
Whether each price level has been touched.
Touched levels are visually highlighted in green, making it easy for traders to identify relevant price actions.
Daily Reset of Notifications:
The notification statuses are reset at the end of the London session each day, preparing for the next day’s trading activity.
Use Cases:
Traders can utilize this indicator to stay informed about pivotal price levels during important trading sessions, aiding in decision-making and strategy development.
The clear visual representation of price levels and touch statuses helps traders quickly assess market conditions.
This indicator is particularly beneficial for day traders and those who focus on price movements around key high and low points during the trading day.
Multi-Indicator Dashboard//@version=5
indicator("Multi-Indicator Dashboard", overlay=true)
// ----------
// Inputs
// ----------
// EMAs
ema9Length = input.int(9, "EMA 9 Length", minval=1)
ema15Length = input.int(15, "EMA 15 Length", minval=1)
ema20Length = input.int(20, "EMA 20 Length", minval=1)
ema50Length = input.int(50, "EMA 50 Length", minval=1)
ema100Length = input.int(100, "EMA 100 Length", minval=1)
ema200Length = input.int(200, "EMA 200 Length", minval=1)
// Bollinger Bands
bbLength = input.int(20, "Bollinger Length", minval=1)
bbStdDev = input.int(2, "Bollinger StdDev", minval=1)
// SMA
sma44Length = input.int(44, "SMA 44 Length", minval=1)
// ----------
// Calculations
// ----------
// EMAs with Color Conditions
ema9 = ta.ema(close, ema9Length)
ema15 = ta.ema(close, ema15Length)
ema20 = ta.ema(close, ema20Length)
ema50 = ta.ema(close, ema50Length)
ema100 = ta.ema(close, ema100Length)
ema200 = ta.ema(close, ema200Length)
// Bollinger Bands
basis = ta.sma(close, bbLength)
dev = ta.stdev(close, bbLength)
upperBB = basis + bbStdDev * dev
lowerBB = basis - bbStdDev * dev
// VWAP
vwap = ta.vwap(close)
// SMA 44
sma44 = ta.sma(close, sma44Length)
// ----------
// Plotting
// ----------
// Dynamic Color 9 EMA
plot(ema9, "EMA 9", color=ema9 > ema9 ? color.new(#00FF00, 0) : color.new(#FF0000, 0), linewidth=2)
// Other EMAs (Static Colors)
plot(ema15, "EMA 15", color=color.new(#FFA500, 0)) // Orange
plot(ema20, "EMA 20", color=color.new(#FF69B4, 0)) // Hot Pink
plot(ema50, "EMA 50", color=color.new(#0000FF, 0)) // Blue
plot(ema100, "EMA 100", color=color.new(#800080, 0)) // Purple
plot(ema200, "EMA 200", color=color.new(#FF0000, 0)) // Red
// Bollinger Bands
plot(basis, "BB Basis", color=color.new(#787B86, 50))
plot(upperBB, "Upper BB", color=color.new(#2962FF, 50), style=plot.style_linebr)
plot(lowerBB, "Lower BB", color=color.new(#2962FF, 50), style=plot.style_linebr)
// VWAP
plot(vwap, "VWAP", color=color.new(#00CED1, 0), linewidth=2)
// SMA 44
plot(sma44, "SMA 44", color=color.new(#FFD700, 0)) // Gold
Gold Trading Signal//@version=5
indicator("Gold Trading Signal", overlay=true)
// Input parameter
emaLength = input(200, title="EMA Length")
// Calculate EMA
ema200 = ta.ema(close, emaLength)
// Buy & Sell Conditions
buyCondition = ta.crossover(close, ema200)
sellCondition = ta.crossunder(close, ema200)
// Plot signals
plot(ema200, title="EMA 200", color=color.blue, linewidth=2)
plotshape(buyCondition, location=location.belowbar, color=color.green, style=shape.labelup, title="BUY")
plotshape(sellCondition, location=location.abovebar, color=color.red, style=shape.labeldown, title="SELL")
// Alerts
alertcondition(buyCondition, title="Buy Signal", message="Gold Buy Signal")
alertcondition(sellCondition, title="Sell Signal", message="Gold Sell Signal")
Bitcoin Total VolumeThis Pine Script indicator, titled "Bitcoin Top 16 Volume," is designed to provide traders with an aggregate view of Bitcoin (BTC) spot trading volume across leading cryptocurrency exchanges. Unlike traditional volume indicators that focus on a single exchange, this tool compiles data from a selection of the top exchanges as ranked by CoinMarketCap, offering a broader perspective on overall market activity.
The indicator works by fetching real-time volume data for specific BTC trading pairs on various exchanges. It currently incorporates data from prominent platforms such as Binance (BTCUSDT), Coinbase (BTCUSD), OKX (BTCUSDT), Bybit (BTCUSDT), Kraken (BTCUSD), Bitfinex (BTCUSD), Bitstamp (BTCUSD), Gemini (BTCUSD), Upbit (BTCKRW), Bithumb (BTCKRW), KuCoin (BTCUSDT), Gate.io (BTCUSDT), MEXC (BTCUSDT), Crypto.com (BTCUSD), Poloniex (BTCUSDT), and BitMart (BTCUSDT). It's important to note that while the indicator aims to represent the "Top 16" exchanges, the actual number included may vary due to data availability within TradingView and the dynamic nature of exchange rankings.
The script then calculates the total volume by summing up the volume data retrieved from each of these exchanges. This aggregated volume is visually represented as a histogram directly on your TradingView chart, displayed in white by default. By observing the height of the histogram bars, traders can quickly assess the total trading volume for Bitcoin spot markets over different time periods, corresponding to the chart's timeframe.
This indicator is valuable for traders seeking to understand the overall market depth and liquidity of Bitcoin. Increased total volume can often signal heightened market interest and potential trend strength or reversals. Conversely, low volume might suggest consolidation or reduced market participation. Traders can use this indicator to confirm trends, identify potential breakouts, and gauge the general level of activity in the Bitcoin spot market across major exchanges. Keep in mind that the list of exchanges included may need periodic updates to accurately reflect the top exchanges as rankings on CoinMarketCap evolve.
Moving Averages IndicatorFollows Price
This indicator attempts to identify trends like the TDI but it isn't based on the RSI so it does not diverge
Stock & Options Hyper-ScalperStrategy is in test to perfection most effective on higher time frames. Also add your own confluence and due diligence when approaching entries.
Heikin Horizon v8.4 by hajiHeikin Horizon v8.4 by haji
Heikin Horizon v8.4 is an advanced, multi-timeframe TradingView indicator that integrates sophisticated Heikin Ashi analysis with dynamic pattern recognition, comprehensive backtesting statistics, and an intuitive trade helper module. Designed for advanced traders, this all-in-one tool provides a detailed, top‐down view of market trends alongside actionable insights to refine your trading strategy.
Key Features:
Multi-Timeframe Heikin Ashi Analysis:
Leverages Heikin Ashi data from a wide range of timeframes—from intraday (1-second, 1-minute, etc.) to daily charts—to offer a comprehensive picture of market momentum and trend direction.
Dynamic Trend Pattern Recognition:
Automatically identifies and displays current, previous, or custom candlestick patterns based on the color-coded Heikin Ashi candles. Visual trend squares and detailed tables help you quickly assess market conditions and potential shifts.
Robust Backtesting and Statistical Insights:
Runs extensive historical tests over user-defined samples, calculating key performance metrics such as win rate, expected value, average price change, and more. Detailed outcome tables break down all possible results, enabling you to evaluate the effectiveness of each pattern.
Comprehensive Trade Helper Module:
Provides trade direction bias (BUY/SELL) based on multiple factors—including expected move, win rate, profit factor, and trend consistency—while offering both manual and automatic risk management for setting stop loss and take profit levels.
Customizable On-Screen Display:
Multiple, configurable tables (pattern display, previous trends, multi-timeframe analysis, outcomes, detailed history, and trade helper) allow you to tailor the visual layout to your specific needs and preferred chart positions.
Access Control for Advanced Features:
A built-in locking mechanism secures advanced functionalities, ensuring that only users with the proper access password can activate sensitive settings.
How It Works:
Heikin Horizon v8.4 continuously processes Heikin Ashi data across multiple timeframes to generate a layered analysis of market trends. By comparing candle colors and patterns, it identifies consolidation areas and trend shifts, then quantifies these observations through rigorous backtesting. The resulting statistics—ranging from win rate and average candle sizes to expected move calculations—feed into a trade helper module that highlights potential trade setups and risk parameters, all displayed via customizable on-chart panels.
Whether you’re fine-tuning your short-term entries or developing a robust long-term strategy, Heikin Horizon v8.4 delivers an in-depth analytical framework to help you make more informed trading decisions.
Relative Strength Index with Buy/Sell Signalsrsi ema wma
lenh buy khi thoa man dong thời, rsi ,ema wma của khung đang chạy và rsi h1 lớn hơn wma h1
lenh buy khi thoa man dong thời, rsi ,ema wma của khung đang chạy và rsi h1 nhỏ hon hơn wma h1
JolurocePro v3.0sigue lo que dice funcuna con cualquier par verificado operar solo cuando hay confirmacion total
Custom Buy and Sell Signal with Body Ratio and RSI
Indicator Overview:
Name: Custom Buy and Sell Signal with Body Ratio and RSI
Description: This indicator is designed to detect buy and sell opportunities by analyzing the body size and wicks of candles in combination with the RSI indicator and volume. It helps identify trend reversals under high-volume market conditions, which enhances the reliability of the signals.
Indicator Features:
RSI (Relative Strength Index): The RSI indicator is used to assess oversold (RSI < 40) or overbought (RSI > 60) conditions. These zones signal potential reversals when combined with other technical signals.
Candle Body Analysis:
The indicator compares the size of the current and previous candles to validate signals.
For a buy signal, the current candle must be bullish and have a body size proportional to that of the previous bearish candle.
Similarly, for a sell signal, the current candle must be bearish with a body size comparable to the previous bullish candle.
Wick Validation:
The indicator analyzes the wick length to reinforce or exclude signals.
For a buy signal, the lower wick of the bullish candle must be shorter than that of the previous bearish candle.
For a sell signal, the upper wick of the bearish candle must be shorter than that of the previous bullish candle and smaller than 30% of the candle's body.
High Volume:
Signals are only generated when the volume exceeds a certain threshold, ensuring that signals are issued in active market conditions.
The minimum volume should be adjusted based on the asset. For example, for gold, a minimum volume of 9000 is recommended.
Trading Strategy:
Buy Signals:
A bearish (red) candle is followed by a bullish (green) candle with a body size that is comparable to the previous candle (0.9 to 3 times the body size).
The lower wick of the bullish candle is shorter than that of the previous bearish candle, confirming the validity of the signal.
The RSI must be below 40, indicating an oversold condition.
The volume must exceed the defined threshold (e.g., > 9000 for gold) to confirm an active market.
Sell Signals:
A bullish (green) candle is followed by a bearish (red) candle with a comparable body size.
The upper wick of the bearish candle must be shorter than that of the previous bullish candle and must not exceed 30% of the body size.
The RSI must be above 60, indicating an overbought condition.
The volume must also exceed the minimum threshold for a valid signal.
Usage Guidelines:
Volume Adjustment: It is crucial to adjust the volume threshold depending on the asset you're trading. For example, for assets like gold, a minimum volume of 9000 is recommended to filter out weak signals. Each asset has a different volume dynamic, so test different thresholds on historical data to find the optimal setting.
Time Frame:
It is recommended to use this indicator on a 1-hour (1H) chart for the best signal relevance. This time frame provides a good balance between reactivity and filtering false signals.
Confluence:
Combine the signals from this indicator with other tools like support and resistance levels, moving averages, or chart patterns to increase your chances of success. Confluence of indicators improves the reliability of signals.
Risk Management:
Implement strict risk management. Use stop-losses based on volatility, such as ATR (Average True Range), or the wick size to determine exit points.
Backtesting:
Before using it live, conduct backtesting on various assets to fine-tune the parameters, especially the volume threshold, and to verify performance across different market conditions.
This indicator is an excellent tool for traders looking to identify trend reversals based on solid technical criteria such as RSI, candle structure, and volume. It is particularly effective on volatile assets with precise volume adjustment.
Mile Runner - Swing Trade LONGMile Runner - Swing Trade LONG Indicator - By @jerolourenco
Overview
The Mile Runner - Swing Trade LONG indicator is designed for swing traders who focus on LONG positions in stocks, BDRs (Brazilian Depositary Receipts), and ETFs. It provides clear entry signals, stop loss, and take profit levels, helping traders identify optimal buying opportunities with a robust set of technical filters. The indicator is optimized for daily candlestick charts and combines multiple technical analysis tools to ensure high-probability trades.
Key Features
Entry Signals: Visualized as green triangles below the price bars, indicating a potential LONG entry.
Stop Loss and Take Profit Levels: Automatically plotted on the chart for easy reference.
Stop Loss: Based on the most recent pivot low (support level).
Take Profit: Calculated using a Fibonacci-based projection from the entry price to the stop loss.
Trend and Momentum Filters: Ensures trades align with the prevailing trend and have sufficient momentum.
Volume and Volatility Confirmation: Verifies market interest and price movement potential.
How It Works
The indicator uses a combination of technical tools to filter and confirm trade setups:
Exponential Moving Averages (EMAs):
A short EMA (default: 9 periods) and a long EMA (default: 21 periods) identify the trend.
A bullish crossover (EMA9 crosses above EMA21) signals a potential upward trend.
Money Flow Index (MFI):
Confirms buying pressure when MFI > 50.
Average True Range (ATR):
Ensures sufficient volatility by checking if ATR exceeds its 20-period moving average.
Volume:
Confirms market interest when volume exceeds its 20-period moving average.
Pivot Lows:
Identifies recent support levels (pivot lows) to set the stop loss.
Ensures the pivot low is recent (within the last 10 bars by default).
Additional Trend Filter:
Confirms the long EMA is rising, reinforcing the bullish trend.
Inputs and Customization
The indicator is highly customizable, allowing traders to tailor it to their strategies:
EMA Periods: Adjust the short and long EMA lengths.
ATR and MFI Periods: Modify lookback periods for volatility and momentum.
Pivot Lookback: Control the sensitivity of pivot low detection.
Fibonacci Level: Adjust the Fibonacci retracement level for take profit.
Take Profit Multiplier: Fine-tune the aggressiveness of the take profit target.
Max Pivot Age: Set the maximum bars since the last pivot low for relevance.
Usage Instructions
Apply the Indicator:
Add the "Mile Runner - Swing Trade LONG" indicator to your TradingView chart.
Best used on daily charts for swing trading.
Look for Entry Signals:
A green triangle below the price bar signals a potential LONG entry.
Set Stop Loss and Take Profit:
Stop Loss: Red dashed line indicating the stop loss level.
Take Profit: Purple dashed line showing the take profit level.
Monitor the Trade:
The entry price is marked with a green dashed line for reference.
Adjust trade management based on the plotted levels.
Set Alerts:
Use the built-in alert condition to get notified of new LONG entry signals.
Important Notes
For LONG Positions Only : Designed exclusively for swing trading LONG positions.
Timeframe: Optimized for daily charts but can be tested on other timeframes.
Asset Types: Works best with stocks, BDRs, and ETFs.
Risk Management: Always align stop loss and take profit levels with your risk tolerance.
Why Use Mile Runner?
The Mile Runner indicator simplifies swing trading by integrating trend, momentum, volume, and volatility filters into one user-friendly tool. It helps traders:
Identify high-probability entry points.
Establish clear stop loss and take profit levels.
Avoid low-volatility or low-volume markets.
Focus on assets with strong buying pressure and recent support.
By following its signals and levels, traders can make informed decisions and enhance their swing trading performance. Customize the inputs and test it on your favorite assets—happy trading!
Closing PriceThis Pine Script plots the Closing Price on the chart using an orange line. It allows you to easily visualize the closing price for each bar in the selected timeframe.
NAMAZOV ELSHAD STRONG SİGNALIndicator Overview: "1H Precise Breakout with Volume (No MA Line)"
This is a custom TradingView indicator designed for the 1-hour (1H) timeframe, aimed at providing precise and low-risk trading signals without cluttering the chart. It uses a hidden Exponential Moving Average (EMA 34) and volume confirmation to detect breakout opportunities, while also marking trend direction and reversal points.
Purpose: Identifies buy and sell opportunities with reduced false signals.
Key Features:
Hidden EMA (34): A 34-period EMA calculates breakouts but remains invisible to keep the chart clean.
Volume Filter: Signals only appear when volume exceeds its 20-period average by 20%, ensuring strong market momentum.
Trend Direction: Small arrows (green ↑ for bullish, red ↓ for bearish) show the trend based on price relative to the EMA.
Reversal Points: Non-repainting pivot highs (red ▼) and lows (green ▲) mark potential tops and bottoms.
Breakout Signals: "BUY" (lime label) when price crosses above the EMA from a downtrend, and "SELL" (fuchsia label) when price crosses below from an uptrend, both with volume confirmation.
Non-Repainting: Signals are confirmed after a set lookback period (default 5), preventing changes after they appear.
Usage: Ideal for traders who want minimal chart elements and reliable, volume-backed signals on a 1H chart.
Combined BB, RSI, and MACDit is an combination of three indicators which will give an edge to your trading system ,so lets make our community the biggest technical trading community....