Trend ChannelThis Trend Channel is designed to simplify how traders view trends, while also keeping track of potential shifts in trends with signals. It is designed for traders that prefer less over more.
The indicator can be used for trend following, trend reversals and confirmation in combination with price or other indicators.
At the core is one EMA and a smoothed volatility based channel around it.
The purpose of the channel is to avoid false signals on trend reclaim or trend loss and instead identify trend deviations.
The indicator also incorporates long and short EMA cross-over signals to recognize possible shifts in trend without having to overlay multiple EMAs and keep the chart cleaner.
Additionally the indicator fires warnings for potential false signals on golden/death crosses with a letter "W" above/below the signal candle. Those warnings are based on the distance between price and the crossover. When the distance is above a certain threshold the indicator fires a warning that price might mean revert.
Traders can customize all inputs in the settings.
Bantlar ve Kanallar
Close Outside BB Without Touching//@version=5
indicator("Close Outside BB Without Touching", overlay=true)
// Input parameters
length = input.int(20, title="BB Length")
mult = input.float(2.0, title="BB Standard Deviation")
src = input(close, title="Source")
// Calculate Bollinger Bands
basis = ta.sma(src, length)
dev = mult * ta.stdev(src, length)
upper = basis + dev
lower = basis - dev
// Check if candle closed outside BB
closedAbove = close > upper
closedBelow = close < lower
// Check if candle didn't touch the BB during its formation
// For a candle closing above: low must be greater than upper band
// For a candle closing below: high must be less than lower band
noTouchAbove = low > upper
noTouchBelow = high < lower
// Final conditions
validAbove = closedAbove and noTouchAbove
validBelow = closedBelow and noTouchBelow
// Plot Bollinger Bands
plot(basis, "Basis", color=color.orange)
u = plot(upper, "Upper", color=color.blue)
l = plot(lower, "Lower", color=color.blue)
// Fill between Bollinger Bands
fill(u, l, color=color.new(color.blue, 95), title="Background")
// Highlight valid candles
barcolor(validAbove ? color.green : validBelow ? color.red : na)
// Plot markers for valid signals
plotshape(validAbove, title="Valid Above BB", color=color.green,
style=shape.triangleup, location=location.belowbar, size=size.small)
plotshape(validBelow, title="Valid Below BB", color=color.red,
style=shape.triangledown, location=location.abovebar, size=size.small)
// Alert conditions
alertcondition(validAbove, title="Valid Close Above BB",
message="Candle closed above BB without touching")
alertcondition(validBelow, title="Valid Close Below BB",
message="Candle closed below BB without touching")
BTC RSI 35 이하 + 음봉 직후 양봉 (중복방지, 일봉 20일선 위)//@version=5
indicator("BTC RSI 35 이하 + 음봉 직후 양봉 (중복방지, 일봉 20일선 위)", overlay=true)
// === 일봉 기준 조건 ===
dailyClose = request.security(syminfo.tickerid, "D", close) // 일봉 종가
dailyMA20 = request.security(syminfo.tickerid, "D", ta.sma(close, 20)) // 일봉 20일선
aboveDailyMA = dailyClose > dailyMA20 // 일봉 종가가 20일선 위일 때만 true
// === RSI 계산 (1시간봉) ===
rsiLength = 14
rsi = ta.rsi(close, rsiLength)
// === 상태 변수 ===
var bool armed = false
var bool locked = false
// RSI 35 이하 → 무장(armed)
if (rsi <= 35)
armed := true
// RSI 40 이상 → 리셋
if (rsi >= 40)
armed := false
locked := false
// === BUY 조건 정의 (1시간봉 + 일봉 조건) ===
bearishPrev = close < open // 직전 봉 음봉
bullishNow = close > open // 현재 봉 양봉
buySignal = armed and not locked and bearishPrev and bullishNow and aboveDailyMA
// BUY 발생 시 잠금
if (buySignal)
locked := true
// === 차트 표시 ===
plotshape(buySignal, title="BUY", location=location.belowbar,
color=color.lime, style=shape.labelup, text="BUY", size=size.tiny)
// === 얼러트 조건 ===
alertcondition(buySignal, title="BUY Alert",
message="RSI 35 이하 + 음봉 직후 양봉 + 일봉 20일선 위 (1시간)")
Dynamic FIB Retracement Dynamic FIB Retracement.
Description:
This indicator automatically plots dynamic Fibonacci retracement levels (0.382, 0.5, 0.618) based on the highest high and lowest low of the selected lookback period on the current timeframe. It also provides Buy Above / Sell Below signals at the 0.5 Fibonacci level with trend confirmation, making it easier to spot high-probability trade setups.
Key Features:
Dynamic Fibonacci Levels – Automatically calculates 0.382, 0.5, and 0.618 retracements based on recent price action.
Trend Filter Confirmation – Signals only trigger in the direction of the trend using an EMA-based trend filter (user-adjustable).
Customizable Lookback – Choose how many bars the script should use to detect the high and low for Fibonacci levels.
Visual Alerts – Signals are displayed directly on the chart with triangles, and alerts can be configured for both Buy and Sell events.
Easy to Use – Works on any timeframe and updates automatically as price moves.
Inputs:
Lookback Bars: Determines the number of bars to calculate high and low for Fibonacci levels.
EMA Length: Sets the period for EMA used in trend filtering signals.
Use Cases:
Identify potential retracement zones for entries and exits.
Filter trades in the direction of the trend for higher accuracy.
Quick visualization of key Fibonacci levels for swing or intraday trading.
How to Use:
Apply the indicator to your chart.
Adjust the lookback period and EMA length to match your trading style.
Watch for Buy Above / Sell Below signals near the 0.5 Fibonacci level aligned with the trend.
Optionally, set alerts for automatic notifications when signals occur.
macd color bar cryptosmartDescription
The MACD Color Bar CryptoSmart indicator is a visual trading tool designed to help traders quickly identify trend changes by coloring the chart's price bars based on MACD (Moving Average Convergence Divergence) signals.
Instead of looking down at the MACD panel, you can see the trend's momentum directly on your price chart, making it easier to spot potential entries and exits.
How It Works
The indicator monitors the MACD line and its signal line in the background.
Bullish Trend (Green Bars): When the MACD line crosses above the signal line, the price bars will turn green. This color persists, signaling that the momentum is currently bullish.
Bearish Trend (Red Bars): When the MACD line crosses below the signal line, the price bars will turn red. This color persists, indicating that the momentum has shifted to bearish.
This immediate visual feedback helps you stay aligned with the current trend as defined by the MACD.
How to Use
Trend Identification: Use the bar colors for a quick "at-a-glance" understanding of the prevailing trend. Green bars suggest an uptrend, while red bars suggest a downtrend.
Entry Signals: A color change from red to green can be seen as a potential bullish entry signal. Conversely, a change from green to red can suggest a potential bearish entry.
Confirmation: Use the bar colors to confirm signals from your primary trading strategy. For example, if you get a buy signal from another indicator, a green bar color adds confluence to your trade idea.
All MACD settings (Fast Length, Slow Length, Signal Length) and the bar colors are fully customizable in the indicator's settings menu.
macd + stochastic cryptosmart## macd + stochastic cryptosmart
This indicator is a technical analysis tool designed to find high-probability trading signals by merging two of the most powerful oscillators: the MACD and the Stochastic.
The core strategy is not just to use each indicator separately, but to identify moments of confluence, where both send the same message. When a momentum signal from the MACD occurs while the Stochastic is in an extreme zone, the probability of a strong, sustained move increases significantly.
## The Confluence Logic: The Core Strategy ✨
The power of this indicator lies in the confirmation of signals. Instead of acting on a single clue, you wait for two experts to give you the same recommendation.
📈 High-Probability Buy Signal (Bullish Confluence)
A buy signal is considered especially strong when the following two conditions occur at nearly the same time:
Stochastic at an Extreme: The Stochastic oscillator is in the oversold zone (typically below 20), indicating that selling pressure may be exhausted and the price is "cheap."
MACD Crossover: The MACD line crosses above its signal line (a bullish crossover). This confirms that the market's momentum is beginning to shift in favor of the buyers.
The logic is: The Stochastic tells you when the market is ready for a potential bounce, and the MACD crossover gives you the confirmation that the bounce is starting with force.
📉 High-Probability Sell Signal (Bearish Confluence)
A high-quality sell signal occurs when:
Stochastic at an Extreme: The Stochastic is in the overbought zone (above 80), suggesting the asset may be overvalued and ready for a correction.
MACD Crossover: The MACD line crosses below its signal line (a bearish crossover). This confirms that momentum is turning negative.
The logic is: The Stochastic alerts you to a potential price "bubble," and the MACD crossover confirms that the bubble is beginning to deflate.
## Key Features
MACD Normalization: To make comparison easier, the indicator can normalize the MACD to the same 0-100 scale as the Stochastic. This allows you to view both oscillators in a similar context.
Smart Visualization:
The indicator's background changes color depending on whether the Stochastic is in an overbought, oversold, or neutral zone.
The "shadow" between the MACD lines is colored green or red to show you at a glance whether momentum is bullish or bearish.
In summary, this indicator doesn't reinvent the MACD or the Stochastic but integrates them in a smart, visual way so you can apply a confluence strategy more effectively, filtering out weak signals and focusing on those with the highest probability of success.
ATR + RSEMA📐 What is the RSEMA Indicator
The RSEMA combo is a volatility filter built around ATR (Average True Range) that uses a combination of RMA, SMA, and EMA smoothing methods.
ATR measures the raw size of price movement each bar.
RMA (Running Moving Average) provides a slow, stable baseline for volatility.
SMA (Simple Moving Average) captures the “middle ground” by averaging raw ATR over a fixed window.
EMA (Exponential Moving Average) reacts fastest and highlights short-term volatility spikes or fades.
By stacking these three moving averages together on ATR, you get a layered view of volatility quality.
🔑 Why This Works
When ATR + EMA are strong and above SMA and RMA → market is in an expanding, decisive regime.
When ATR flattens and EMA dips toward SMA/RMA → volatility is compressing and indecision dominates.
If all three averages converge at low levels → chop zone confirmed.
This is much easier to read than raw ATR bars and gives a clear “volatility health check” at a glance.
📊 Use Case for ORB
For the ORB strategy this combo acts as a regime filter:
High ATR with EMA > SMA > RMA → best edge, breakouts follow through (like March and April).
Flat ATR with all averages clustering → indecision and drawdown periods (like August).
THIS CODE IS DERIVED FROM TRADINGVIEWS DEFAULT ATR THING
oscillator fast cryptosmartThe oscillator fast cryptosmart is a high-sensitivity momentum indicator designed to generate signals more rapidly than many traditional oscillators, such as the MACD. It is engineered to detect potential price breakouts by analyzing short-term market cycles.
At its core, the indicator uses a Detrended Price Oscillator (DPO) to remove the longer-term trend from price action, allowing it to focus purely on the underlying momentum cycles. It then calculates dynamic volatility bands around this oscillator line.
Signals are generated when momentum breaks out from a normal range, providing traders with an early warning of a potential acceleration in price.
How to Interpret the Signals:
Buy Signal (Green Vertical Line): A buy signal is generated when the oscillator's main line (yellow) crosses above its upper statistical band. This indicates a sharp surge in positive momentum, suggesting a potential upward move is beginning.
Sell Signal (Red Vertical Line): A sell signal is generated when the oscillator's main line crosses below its lower statistical band. This indicates a significant increase in negative momentum, suggesting a potential downward move is starting.
By focusing on momentum breakouts rather than lagging moving average crossovers, the oscillator fast cryptosmart aims to provide an edge in identifying opportunities in fast-moving markets.
WTI Futures Break-Out StrategyThis Channel indicator is designed for 5 min time frame.
Pre-market high and low is defined per trading day between 9:00 AM to 9:30 AM EST.
How it works:
At 9:00 and 9:30 mark lines on Low and Hi levels.
Wait until a candle is closed above or below Low and Hi levels.
- Break-out high = long trade
- Break-out low = short trade
For additional confirmation, use either MACD or Stochastic RSI indicators.
Argentum Flag [AGP] Ver.2.5Central Purpose and Concept
The Argentum Flag script is a multifunctional tool that integrates and visualizes multiple key indicators to provide a detailed and unified perspective of the market. The core concept is to analyze price from different angles—volatility, volume, and momentum—to identify confluences and patterns that may be difficult to see with separate indicators. This "mashup" is not a simple fusion of indicators, but a strategic combination of tools that complement each other to offer a comprehensive view of asset behavior.
Components and Their Functionality
This script combines and visualizes the following elements:
EMA Percentage Bands (EMA Bands):
Uses an Exponential Moving Average (EMA) as a baseline.
Calculates and draws several volatility bands that deviate from the central EMA by fixed percentages (0.47%, 0.94%, 2.36%). These bands are inspired by Fibonacci ratios and the cyclical nature of the market.
The bands are colored with a dynamic gradient that reflects the current state of volatility.
Utility: These bands act as dynamic support and resistance areas. The price entering or exiting these zones can indicate a change in volatility or a possible exhaustion of the movement.
Volatility Signals (Vortex & Prime Signals):
The script generates visual signals when the price stays outside the volatility bands for a specific number of bars.
Vortex Signals (diamond ⍲): Appear when the price crosses and stays outside the Prime bands, suggesting a high volatility or a possible continuation of the trend.
Exit/Entry Signals (circle ⌾): Are activated when the price stays outside the Vortex bands, indicating an extreme extension of volatility. These can be interpreted as potential reversal or profit-taking zones.
Utility: They help traders quickly identify moments of high and low volatility and potential turning points in price action.
Volume Analysis (Volume Bar Colors):
The script changes the color of the bars based on the relationship between the current volume and the average volume over a 50-bar period.
Utility: This feature allows the trader to immediately visualize the strength behind a price movement. For example, a bullish candle with "extreme" volume suggests strong buying interest, while a bearish candle with "low" volume could indicate a weak correction.
Summary Tables (Dashboard):
EMA-Fibo Table: Displays the values of 12 EMAs based on the Fibonacci sequence (5, 8, 13, 21...) in an easy-to-access table. The background color of each value indicates if the current price is above (bullish) or below (bearish) that EMA.
Multi-Timeframe RSI Table: Displays the Relative Strength Index (RSI) values across multiple timeframes (from 1 minute to monthly). The text color changes to highlight if the RSI is in overbought (orange) or oversold (white) areas, according to the established levels.
Utility: These tables condense a large amount of data into a simple format, allowing traders to perform a quick, multi-timeframe market analysis without constantly switching charts.
How to Use the Script
This script is a contextual analysis tool that works best when its different components are combined. It is not a "buy and sell signal" system on its own, but a tool for informed decision-making.
Trend Identification: Use the EMA table to see the general trend direction across different timeframes. A price above most of the EMAs in the table suggests a bullish bias.
Volatility Reading: Observe the EMA bands. If the price stays within the bands, volatility is low. A strong move that breaks out of the bands, accompanied by an "extreme" volume color (blue), suggests strong momentum that could continue.
Momentum Analysis: Use the RSI table to confirm movements. An overbought 15m RSI could support a reversal signal from the Vortex bands, while a 1D RSI in a neutral zone may indicate that the main trend has not changed.
Signal Confirmation: Visual signals (diamond and circle) should not be used in isolation. They must be confirmed by volume analysis and dashboard readings. For example, an "Exit Signal" (circle) with low volume may be less reliable than one with high volume and a clear reversal candle.
Disclaimer
This script is for informational and educational purposes only. It is not financial advice, nor is it a recommendation to buy or sell any financial instrument. All trading involves risk, and past performance is not indicative of future results. The user is solely responsible for their own trading decisions.
Zenova KAMAThis overlay combines the Kaufman Adaptive Moving Average (KAMA) with a Parabolic SAR (PSAR) and RSI-based overbought/oversold highlighting:
KAMA adapts to market volatility, changing color dynamically:
Blue (#2196f3) when trending up
Pink (#f659eb) when trending down
PSAR dots are plotted on the price for trend confirmation:
Blue dots indicate bullish signals
Pink dots indicate bearish signals
RSI background shading highlights overbought and oversold zones:
RSI above overbought level
RSI below oversold level
This combination helps identify trend direction, potential reversals, and overextended conditions in a single visual overlay.
All in 1 by trading spell_kkall in one indicator sharing a mix of ema, quarterly earnings, adr, and market cap
vwap inside bar jmrjm vwap inside bar which helps to take guage trend with vwap and and help to understand when market taking pause due to bulls and bears fight. Then we can take a trade in trend with winners.
Breakout + VWAP + Bollinger Bands BackgroundIt detects buy and sell bias for the trader to understand buy and sell openning. Try it...
RSI Divergence Indicator + Current Value - YOSIRSI Divergence Indicator – TradingView
The RSI Divergence Indicator is a custom TradingView tool designed to detect and visualize both regular and hidden divergences between price action and the Relative Strength Index (RSI).
🔹 Core Features:
Plots RSI with standard overbought (70), oversold (30), and midline (50) levels.
Highlights regular bullish divergence (price makes lower low, RSI makes higher low).
Highlights regular bearish divergence (price makes higher high, RSI makes lower high).
Detects hidden bullish divergence (price higher low, RSI lower low).
Detects hidden bearish divergence (price lower high, RSI higher high).
Clear visual signals using colored markers and labels (“Bull”, “Bear”, “H Bull”, “H Bear”).
Built-in alert conditions to notify traders when new divergences appear.
🔹 Customization:
Adjustable RSI period and source (default: 14, close).
Configurable pivot lookback (left & right) for fine-tuning divergence detection.
Options to enable/disable plotting of specific divergence types.
Custom colors for bullish, bearish, hidden bullish, and hidden bearish signals.
🔹 Added Upgrade (based on your request):
Displays the current RSI value next to the line, allowing quick reference without hovering.
mara Dynamic RangeUpdated pp dynamic zone indicator, which helps to provide support/resistance for intra day and swing trade
Multi-Exchange VWAP Aggregator (Crypto)Description:
This advanced VWAP indicator aggregates volume data from up to 9 cryptocurrency exchanges simultaneously, providing a more accurate volume-weighted average price than single-exchange VWAP calculations.
Key Features:
Multi-Exchange Aggregation - Combines volume from Binance, Coinbase, Bybit, Bitfinex, Bitstamp, Deribit, OKEx, Phemex, and FTX
Flexible Currency Pairs - Supports both spot (USD, USDT, EUR, USDC, BUSD, DAI) and perpetual futures contracts
Standard Deviation Bands - Includes customizable 1σ, 2σ, and 3σ bands for identifying overbought/oversold levels
Multiple Reset Periods - Daily, Weekly, Monthly, or Session-based VWAP calculations
Volume Calculation Options - Choose between SUM, AVG, MEDIAN, or VARIANCE for volume aggregation
Why Use This?
Traditional VWAP indicators only use volume from a single exchange, which can be misleading in fragmented crypto markets. This indicator provides a comprehensive market-wide VWAP by aggregating volume across major exchanges, giving you a more reliable benchmark for entries, exits, and institutional price levels.
Perfect for traders who want to see where the real volume-weighted price sits across the entire crypto market, not just one exchange.
Mid-Body 50% Candles – Support/Resistance with ConfirmationHow it works:
– Calculates the mid-body (open+close)/2 of the previous candle.
– Bullish candle → potential SUP level.
– Bearish candle → potential RES level.
– Optional next-bar confirmation (close above/below the mid-body).
– Filters available: ATR size, swing detection, upper/lower wick %.
– Lines extend until broken or removed.
– Alerts available for: level creation, touch and break.
Use cases:
– Confirm candle rejections (pin bars).
– Filter false breakouts.
– Refine entries/exits for scalping or swing trading.
What makes it unique:
Unlike generic Fibonacci or candle tools, this script focuses exclusively on the 50% body level with confirmations and multiple filters, making it more precise for price action decision points.
AKTProfessional Style
“This tool helps in marking lines for options and forex, making trading easier and more effective for you.”
“We apply it to mark key lines in options and forex markets, and it provides great value for traders like you.”
“Used for marking support and resistance lines in options and forex, it’s a highly useful tool for your trades.”
🔹 Simple & Direct Style
“We use it to mark lines in options and forex — very useful for you.”
“It helps mark lines for options and forex, making it useful in your trading.”
“A handy way to mark lines in options and forex, and it’s very useful for you.”
Peshraw strategy 1//@version=5
indicator("Peshraw strategy 1", overlay=false)
// --- Stochastic Settings
kPeriod = 100
dPeriod = 3
slowing = 3
k = ta.sma(ta.stoch(close, high, low, kPeriod), slowing)
d = ta.sma(k, dPeriod)
// --- Moving Average on Stochastic %K
maLength = 2
maOnK = ta.sma(k, maLength)
// --- Plot Stochastic
plot(k, color=color.blue, title="%K")
plot(d, color=color.orange, title="%D")
// --- Plot MA(2) on %K
plot(maOnK, color=color.red, title="MA(2) on %K")
// --- Levels (fix hline error)
hline(9, "Level 9", color=color.gray, linestyle=hline.style_dotted)
hline(18, "Level 18", color=color.gray, linestyle=hline.style_dotted)
hline(27, "Level 27", color=color.gray, linestyle=hline.style_dotted)
hline(36, "Level 36", color=color.gray, linestyle=hline.style_dotted)
hline(45, "Level 45", color=color.gray, linestyle=hline.style_dotted)
hline(54, "Level 54", color=color.gray, linestyle=hline.style_dotted)
hline(63, "Level 63", color=color.gray, linestyle=hline.style_dotted)
hline(72, "Level 72", color=color.gray, linestyle=hline.style_dotted)
hline(81, "Level 81", color=color.gray, linestyle=hline.style_dotted)
hline(91, "Level 91", color=color.gray, linestyle=hline.style_dotted)