Candle Channel█ OVERVIEW
The "Candle Channel" indicator is a versatile technical analysis tool that plots a price channel based on the Simple Moving Average (SMA) of candlestick midpoints. The channel bands, calculated based on candlestick volatility, form dynamic support and resistance levels that adapt to price movements. The script generates signals for reversals from the bands and SMA breakouts, making it useful for both short-term and long-term traders. By adjusting the SMA length, the channel can vary in nature—from a wide channel encapsulating price movement to narrower support/resistance or trend-following bands. The channel width can be further customized using a scaling parameter, allowing adaptation to different trading styles and markets.
█ MECHANISM
Band Calculation
The indicator is based on the following calculations:
Candlestick Midpoint: Calculated as the arithmetic average of the candle’s high and low prices: (high + low) / 2.
Simple Moving Average (SMA): The average of candlestick midpoints over a specified length (default: 20 candles), forming the channel’s centerline.
Average Candle Height: Calculated as the average difference between the high and low prices (high - low) over the same SMA length, serving as a measure of market volatility.
Band Scaling: The user specifies a percentage of the average candle height (default: 200%), which is multiplied by the average height to create an offset. The upper band is SMA + offset, and the lower band is SMA - offset.Example: For an average candle height of 10 points and 200% scaling, the offset is 20 points, meaning the bands are ±20 points from the SMA.
Channel Characteristics: The SMA length determines the channel’s dynamics. Shorter SMA values (10–30) create a wide channel that contains price movement, ideal for scalping or short-term trading. Longer SMA values (above 30, e.g., 50–100) transform the channel into narrower support/resistance or trend-following bands, suitable for longer-term analysis. Band scaling further adjusts the channel width to match market volatility.
Signals
Reversal from Bands: Signals are generated when the price closes outside the band (above the upper or below the lower) and then returns to the channel, indicating a potential trend reversal.
SMA Breakout: Signals are generated when the price crosses the SMA upward (bullish signal) or downward (bearish signal), suggesting potential trend changes.
Visualization
Centerline: The SMA of candlestick midpoints, displayed as a thin line.
Channel Bands: Upper and lower channel boundaries, with customizable colors.
Fill: Options include a gradient (smooth color transition between bands) or solid color. The fill can also be disabled for greater clarity.
█ FEATURES AND SETTINGS
SMA Length: Determines the moving average period (default: 20). Values of 10–30 are suitable for a wide channel containing price movement, ideal for short-term timeframes. Longer values (e.g., 50–100) create narrower support/resistance or trend-following bands, better suited for higher timeframes.
Band Scaling: Percentage of the average candle height (default: 200%). Adjusts the channel width to match market volatility—smaller values (e.g., 50–100%) for narrower bands, larger values (e.g., 200–300%) for wider channels.
Fill Type: Gradient, solid, or no fill, allowing customization to user preferences.
Colors: Options to change the colors of bands, fill, and signals for better readability.
Signals: Options to enable/disable reversal signals from bands and SMA breakout signals.
█ HOW TO USE
Add the script to your chart in TradingView by clicking "Add to Chart" in the Pine Editor.
Adjust input parameters in the script settings:
SMA Length: Set to 10–30 for a wide channel containing price movement, suitable for scalping or short-term trading. Set above 30 (e.g., 50–100) for narrower support/resistance or trend-following bands.
Band Scaling: Adjust the channel width to market volatility. Smaller values (50–100%) for tighter support/resistance bands, larger values (200–300%) for wider channels containing price movement.
Fill Type and Colors: Choose a gradient for aesthetics or a solid fill for clarity.
Analyze signals:
Reversal Signals: Triangles above (bearish) or below (bullish) candles indicate potential reversal points.
SMA Breakout Signals: Circles above (bearish) or below (bullish) candles indicate trend changes.
Test the indicator on different instruments and timeframes to find optimal settings for your trading style.
█ LIMITATIONS
The indicator may generate false signals in highly volatile or consolidating markets.
On low-liquidity charts (e.g., exotic currency pairs), the bands may be less reliable.
Effectiveness depends on properly matching parameters to the market and timeframe.
Bandas e Canais
EMA9/EMA50 Cross Alert (2H Only)התראה לקרוס של ממוצע נא אקספוננציאלי 9 ו 50 ל 2 הכיוונים בטיים פרם של שעתיים.
Alert for a collapse of the 9 and 50 exponential moving averages in both directions on a two-hour time frame.
LLW Trading indicatorLLW Trading indicator is a indicator focus on trading between EMA Line, Support and Resistance and Signal Box.
⚡ LLW Trading indicator⚡ LLW Trading indicator focus on EMA,Support and Resistance and Signal Box to optimize the entry.
COT INDEX
// Users & Producers: Commercial Positions
// Large Specs (Hedge Fonds): Non-commercial Positions
// Retail: Non-reportable Positions
//@version=5
int weeks = input.int(26, "Number of weeks", minval=1)
int upperExtreme = input.int(80, "Upper Threshold in %", minval=50)
int lowerExtreme = input.int(20, "Lower Threshold in %", minval=1)
bool hideCurrentWeek = input(true, "Hide the current week until market close")
bool markExtremes = input(false, "Mark long and short extremes")
bool showSmallSpecs = input(true, "Show small speculators index")
bool showProducers = input(true, "Show producers index")
bool showLargeSpecs = input(true, "Show large speculators index")
indicator("COT INDEX", shorttitle="COT INDEX", format=format.percent, precision=0)
import TradingView/LibraryCOT/2 as cot
// Function to fix some symbols.
var string Root_Symbol = syminfo.root
var string CFTC_Code_fixed = cot.convertRootToCOTCode("Auto")
if Root_Symbol == "HG"
CFTC_Code_fixed := "085692"
else if Root_Symbol == "LBR"
CFTC_Code_fixed := "058644"
// Function to request COT data for Futures only.
dataRequest(metricName, isLong) =>
tickerId = cot.COTTickerid('Legacy', CFTC_Code_fixed, false, metricName, isLong ? "Long" : "Short", "All")
value = request.security(tickerId, "1D", close, ignore_invalid_symbol = true)
if barstate.islastconfirmedhistory and na(value)
runtime.error("Could not find relevant COT data based on the current symbol.")
value
// Function to calculate net long positions.
netLongCommercialPositions() =>
commercialLong = dataRequest("Commercial Positions", true)
commercialShort = dataRequest("Commercial Positions", false)
commercialLong - commercialShort
netLongLargePositions() =>
largeSpecsLong = dataRequest("Noncommercial Positions", true)
largeSpecsShort = dataRequest("Noncommercial Positions", false)
largeSpecsLong - largeSpecsShort
netLongSmallPositions() =>
smallSpecsLong = dataRequest("Nonreportable Positions", true)
smallSpecsShort = dataRequest("Nonreportable Positions", false)
smallSpecsLong - smallSpecsShort
calcIndex(netPos) =>
minNetPos = ta.lowest(netPos, weeks)
maxNetPos = ta.highest(netPos, weeks)
if maxNetPos != minNetPos
100 * (netPos - minNetPos) / (maxNetPos - minNetPos)
else
na
// Calculate the Commercials Position Index.
commercialsIndex = calcIndex(netLongCommercialPositions())
largeSpecsIndex = calcIndex(netLongLargePositions())
smallSpecsIndex = calcIndex(netLongSmallPositions())
// Conditional logic based on user input
plotValueCommercials = hideCurrentWeek ? (timenow >= time_close ? commercialsIndex : na) : (showProducers ? commercialsIndex : na)
plotValueLarge = hideCurrentWeek ? (timenow >= time_close ? largeSpecsIndex : na) : (showLargeSpecs ? largeSpecsIndex : na)
plotValueSmall = hideCurrentWeek ? (timenow >= time_close ? smallSpecsIndex : na) : (showSmallSpecs ? smallSpecsIndex : na)
// Plot the index and horizontal lines
plot(plotValueCommercials, "Commercials", color=color.blue, style=plot.style_line, linewidth=2)
plot(plotValueLarge, "Large Speculators", color=color.red, style=plot.style_line, linewidth=1)
plot(plotValueSmall, "Small Speculators", color=color.green, style=plot.style_line, linewidth=1)
hline(upperExtreme, "Upper Threshold", color=color.green, linestyle=hline.style_solid, linewidth=1)
hline(lowerExtreme, "Lower Threshold", color=color.red, linestyle=hline.style_solid, linewidth=1)
/// Marking extremes with background color
bgcolor(markExtremes and (commercialsIndex >= upperExtreme or largeSpecsIndex >= upperExtreme or smallSpecsIndex >= upperExtreme) ? color.new(color.gray, 90) : na, title="Upper Threshold")
bgcolor(markExtremes and (commercialsIndex <= lowerExtreme or largeSpecsIndex <= lowerExtreme or smallSpecsIndex <= lowerExtreme) ? color.new(color.gray, 90) : na, title="Lower Threshold")
Bollinger Bands + LWMA + EMA ComboThe BBMA strategy from Omaly Ally, this contains all the MA 5/ 10 high and MA 5/ 10 low, it also has EMA 50, 100 and 200
The Real DealThis strategy uses a closed source 3 EMA band, as well as a few other closed source indicators that I prefer no to mention right now. Play with it and tell me what you think. The stock settings are definitely not what I use.
Josh SMC Key Features of Josh SMC
✅ Automatically detects Order Blocks (OB) — both Bullish and Bearish
✅ Accurately identifies Fair Value Gaps (FVG) and tracks whether they are “filled” or not
✅ Detects Change of Character (CHOCH) to signal potential trend reversals
✅ Analyzes price structure in real-time based on Smart Money Concepts
✅ Beginner-friendly, yet powerful for advanced traders
✅ Customizable zone colors and number of OB/FVG displays
✅ Works on all timeframes from 1-minute and up
📌 What You’ll Gain from Using Josh SMC
🔺 Spot potential reversal zones before the crowd
🔻 Avoid chasing fake trends and getting trapped
🎯 Plan your entries and exits with OB and FVG precision
🚫 Eliminate guesswork from your analysis
🚀 Trade with confidence and structure — like smart money does
🔍 Who Is This For?
Traders who follow Smart Money Concepts (SMC), ICT, or Price Action
Anyone seeking high-quality entry/exit zones
Traders who want to understand how institutions move the market
Adam Mancini ES Game Plan LevelsThis script plots Support & Resistance levels from Adam Mancini's newsletter.
You can copy and paste levels from Adam's Newsletter to Indicator settings.
You can also add custom text after the support level. For e.g 6550 : Your custom text
Bollinger Bands SMA 20_2 StrategyMean reversion strategy using Bollinger Bands (20-period SMA with 2.0 standard deviation bands).
Trade Triggers:
🟢 BUY SIGNAL:
When: Price crosses above the lower Bollinger Band
Logic: Price has hit oversold territory and is bouncing back
Action: Places a long position with stop at the lower band
🔴 SELL SIGNAL:
When: Price crosses below the upper Bollinger Band
Logic: Price has hit overbought territory and is pulling back
Action: Places a short position with stop at the upper band
HTF Candles and Regression Channel [100Zabaan]🟢🟢 HTF Candles and Regression Channel 🟢🟢
🟡 Overview
This is a powerful multi-timeframe analysis tool designed to help traders understand the overall market context and structure at a glance. It provides a comprehensive view of the price trend across multiple timeframes, from long-term (weekly) to short-term (one-minute), all simultaneously on a single chart.
This tool assists your market analysis in two primary ways:
Displaying recent candles from higher timeframes to quickly grasp the strength, momentum, and overall trend context on different scales.
Displaying automatic linear regression channels to visually identify the direction, slope, and strength of the trend in your selected time periods.
🟡 Key Features
1. Multi-Timeframe Candle Viewer
In a separate pane below the main chart, this indicator displays the last N candles (adjustable number) from various timeframes (Weekly, Daily, 4-Hour, etc.).
This feature allows you to easily compare the trend strength and volatility across different timeframes and assess the current price position within the context of larger trends.
For instance, if you set the number of candles to 50, you can simultaneously monitor the last 50 candles from various timeframes like weekly, daily, 4-hour, 1-hour, 15-minute, 5-minute, and 1-minute, all within a dedicated pane.
Additionally, descriptive labels guide you, indicating the time period covered by each timeframe's set of candles.
Robust and Optimized Data-Fetching Mechanism: To render the candles, the indicator uses box and line objects and fetches data from multiple timeframes. The data-fetching engine has been specifically designed for high stability and performance. This allows you to reliably view a large number of candles from high timeframes (e.g., 60 weekly candles) even while on a very low timeframe like the one-minute chart, without encountering common historical data loading errors.
2. Automatic Linear Regression Channels
The indicator automatically plots linear regression channels for various time periods directly on your main price chart. This allows you to examine the price trend's path across different timeframes.
For better readability, the labels and their corresponding regression channels for each timeframe are color-coordinated.
Key Difference: Unlike standard tools that often focus on the closing price “Close”, this indicator uses the average price of a candle “OHLC4” to calculate the central regression line. The advantage of this approach is a more balanced and stable representation of the trend, which is less affected by sharp price fluctuations within a single candle.
Furthermore, the upper and lower channel boundaries are drawn based on a fraction of the period's maximum volatility, rather than the standard deviation, leading to a channel that adapts more effectively to the actual price action.
🟡 How to Use & Input Settings
Add the indicator to your chart
Go to the indicator's settings
In the Inputs tab, adjust the values according to your strategy:
Number of Candles to Display: Specify the number of recent candles to show in the bottom pane.
Show Time Period Labels: Toggle the visibility of labels that show the time span covered by each timeframe.
Show Regression Channels: Toggle the visibility of the regression channels on the main chart.
Timeframe Selection: Choose which timeframes you want to be displayed.
Style Settings: Configure the color and thickness of the regression lines to match their labels.
🟡 Important Notes & Limitations
No Repainting: This indicator is designed to be non-repainting. The values displayed are fixed once a candle closes. (Note: The values on the current, real-time candle will update until it closes).
Compatibility: This indicator is compatible with all symbols but is designed for optimal performance on timeframes lower than Daily.
Chart Timeframe Dependency: The indicator automatically hides timeframes in the bottom pane that are smaller than your current chart's timeframe. To view all possible resolutions, set your chart to the 1-minute timeframe.
Time Period Display Precision: The labels indicating the time duration (e.g., "1.2 years") may show approximate values due to rounding and are not intended to be perfectly precise.
Note Regarding the Source Code: The core logic of this indicator, especially the proprietary formulas used, is the result of personal research and development. To preserve this unique methodology and ensure its integrity for future developments, this version is released as closed-source. However, we have made every effort to fully and transparently describe the indicator's logic and operational process in the explanations.
🔴 Disclaimer
This indicator is provided for educational, informational, and analytical purposes only and should not be considered as financial advice or a definitive signal for buying or selling. Past performance is not indicative of future results. All investment and trading activities involve risk, and the user is solely responsible for any profits or losses. Please conduct your own research and consult with a qualified financial advisor before making any financial decisions.
🔴 Developers: Mr. Mohammad sanaei
⭐️⭐️ Feel free to share your feedback in the comments ⭐️⭐️
این اندیکاتور یک ابزار تحلیلی چند-زمانی قدرتمند است که به معاملهگران کمک میکند تا با یک نگاه، زمینه و ساختار کلی بازار را درک کرده و دیدی جامعی از روند قیمت و تایمفریمهای بلندمدت (هفتگی) تا کوتاهمدت (یک دقیقه)، به طور همزمان روی یک نمودار به دست آورند.
این ابزار از دو طریق به شما در تحلیل بازار کمک میکند:
نمایش کندلهای اخیر تایمفریمهای بالاتر برای درک سریع قدرت، مومنتوم و بررسی کلی روند در مقیاسهای مختلف.
نمایش کانال رگرسیون خطی خودکار برای تشخیص بصری جهت، شیب و قدرت روند در بازههای زمانی منتخب شما.
🔴 توسعه دهندگان: محمد ثنائی
⭐️⭐️ لطفاً نظرات خود را در کامنتها با ما در میان بگذارید; از خواندن بازخوردهای شما خوشحال میشویم. ⭐️⭐️
FlatBottomReversion
FlatBottomReversion is a mean‑reversion tool that combines multi‑timeframe Heikin‑Ashi trend analysis with flat‑bottom/top detection to catch high‑probability intraday reversals. The indicator also includes an optional Keltner Channel.
⚙️ Usage
It works on any timeframe and candle style, but it was developed specifically for a 3‑minute Heikin Ashi chart. Results may vary significantly if a different chart type or timeframe is used.
⚠️ Tips
Like other reversion tools, separate confirmation is recommended. For example, checking whether the outer Keltner bands have been touched. Waiting for the high or low of the firing candle to be broken is also advised.
Be cautious on strong trend days, as fakeouts can occur. The indicator performs best on ranging days.
The Point Tolerance setting lets you “blur” what qualifies as a flat candle. Perfectly flat candles are the most reliable but happen infrequently. Adding a few points to the tolerance can help in volatile markets, but it may also reduce reliability.
The trend section is a non‑visible version of the PorchTrendLines indicator. It functions similarly to using three SMAs: when the average shows an overbought or oversold area, it may indicate a reversion is likely. The default settings work well on a 3‑minute Heikin Ashi chart but may need adjusting for other setups.
🧪 Inputs you can adjust
Entry & Exit --Controls how the lines are plotted.
Trend Settings --Define which timeframes, lengths, and thresholds determine overbought/oversold conditions.
Keltner Channels – Show or hide the bands, change length, and adjust the multiplier.
🔔 Built‑in alerts (how they behave)
Flat Bottom Entry :
Fires in real time while the candle is forming. This alert is good for a notice to “look up, a setup may be building.” However it will have false‑alarms due to candles later failing criteria.
Flat Bottom Entry with Trend :
Fires only when lines are actually plotted. When this fires the criteria are confirmed. If the reversion is fast though you may miss the best entry if you aren't ready for it.
Brain Premium [ALGO]💡 Brain Premium ALGO
Brainpremium ALGO is a strategy algorithm that analyzes a two-phase regional liquidity structure and only opens positions on price breakouts occurring within these liquidity zones.
This system is developed based on the market experience of manual traders and automatically executes trade decisions using AI-like rules and specific triggers.
💡 Two-Phase Liquidity-Based Entry Strategy
This strategy operates by detecting liquidity sweep zones and confirmed reversal signals:
🔹 Phase 1 – Liquidity Sweep:
Price is expected to sweep areas where equal highs/lows or liquidity clusters exist. These zones are considered potential reversal levels.
🔹 Phase 2 – Confirmed Entry:
After liquidity is swept, entries are triggered only by confirmed reversal signals such as structural breaks, inside bars, or breakouts in the opposite direction.
✅ Entries are triggered only when liquidity and reversal confirmation occur simultaneously.
🎯 This approach targets high-probability, low-risk trades.
⚙️ Key Features
🔍 Dynamic Liquidity Detection — Automatically identifies liquidity zones.
🧩 Modular Entry Options (1–2–3) — Allows opening positions via different strategy paths.
🛡️ Dynamic Stop Loss System — Stop Loss adjusts as price moves favorably.
📈 Advanced Risk Management — Adjustable Take Profit, Stop Loss, leverage, balance, and mode.
🔔 JSON Alert Support — Connects to platforms like BingX via webhook.
🧾 Information Panel — Displays real-time trade data and strategy status.
📊 Backtest & Default Settings
Strategy tests are conducted with realistic and sustainable parameters:
Parameter Value
Trading Balance: $100 (%10 of total wallet)
Leverage: 10x
Stop Loss: 1%
Take Profit Type : High TP (optional: Low and Risky also available)
Entry Option 1 (optional: 2 and 3 also available)
Mode: NORMAL
Commission 0.05%
Dynamic Stop Loss: Enabled
Timeframe: 5 minute
Pair ETH/USDT
Duration: 30 days
🧭 Usage Instructions
Add Brain Premium ALGO to your TradingView chart.
Set position size, leverage, and SL/TP levels from the settings panel.
Select entry option (1, 2, or 3).
Activate backtesting and alert systems to monitor the strategy.
⚠️ Disclaimer
This strategy is not financial advice. Past performance does not guarantee future results. Trade only with capital you can afford to risk and always test thoroughly in a demo environment first.
NY Premarket – High/LowNY Premarket – High/Low
Displays two horizontal lines for the last completed New York pre‑market session (07:00–09:30 America/New_York):
Premarket High (top wick of the session)
Premarket Low (bottom wick of the session)
Both lines are anchored to the exact candles that formed the session’s high/low and remain aligned with those candles regardless of zooming or panning.ng or panning.
Double Fractal Entry📘 Double Fractal Entry – Original Structure-Based Entry System
Double Fractal Entry is a proprietary indicator that uses dynamic fractal structure to generate actionable buy/sell signals, with automatic Stop-Loss and Take-Profit placement. Unlike classic fractal tools or ZigZag-based visuals, this script constructs real-time structural channels from price extremes and offers precise entry points based on breakout or rejection behavior.
It is designed for traders who want a clear, structured approach to trading price action — without repainting, lagging indicators, or built-in oscillators.
🧠 Core Logic
This script combines three custom-built modules:
1. Fractal Detection and Channel Construction
- Fractals are detected using a configurable number of left/right bars (sensitivity).
- Confirmed upper/lower fractals are connected into two continuous channels.
- These channels represent real-time structure zones that evolve with price.
2. Entry Signal Logic
You can choose between two signal types:
- Breakout Mode – Triggers when price breaks above the upper fractal structure (for buys) or below the lower one (for sells).
- Rebound Mode – Triggers when price approaches a fractal channel and then rejects it (forms a reversal setup).
Each signal includes:
- Entry arrow on the chart
- Horizontal entry line
- Stop-Loss and Take-Profit lines
3. SL/TP Calculation
Unlike tools that use ATR or fixed values, SL and TP are dynamically set using the fractal range — the distance between the most recent upper and lower fractals. This makes the risk model adaptive to market volatility and structure.
📊 Visuals on the Chart
- 🔺 Green/Red triangle markers = confirmed fractals
- 📈 Lime/Red channel lines = evolving upper/lower structure
- 🔵 Blue arrow = signal direction (buy/sell)
- 📉 SL/TP lines = dynamically drawn based on fractal spacing
- 🔁 Signal history = optional, toggleable for backtesting
⚙️ Settings and Customization
- Fractal sensitivity (bars left/right)
- Entry mode: Breakout or Rebound
- SL and TP multiplier (based on fractal range)
- Visibility settings (signal history, lines, colors, etc.)
💡 What Makes It Unique
This is not just a variation of standard fractals or a ZigZag wrapper.
Double Fractal Entry was built entirely from scratch and includes:
- ✅ A dual-channel system that shows the live market structure
- ✅ Entry signals based on price behavior around key zones
- ✅ Volatility-adaptive SL/TP levels for realistic trade management
- ✅ Clean, non-repainting logic for both manual and automated use
The goal is to simplify structure trading and provide precise, repeatable entries in any market condition.
🧪 Use Cases
- Breakout mode – Ideal for trend continuation and momentum entries
- Rebound mode – Great for reversals, pullbacks, and range-bound markets
- Can be used standalone or combined with volume/trend filters
⚠️ Disclaimer
This tool is intended for technical analysis and educational use. It does not predict future market direction and should be used with proper risk management and strategy confirmation.
Hunting Bollinger Bands for scalping📌 Bollinger Band Reversal BUY/SELL Indicator
Name: Hunting Bollinger Bands for scalping
Purpose: Displays reversal signals for short-term scalping in range-bound markets.
Target Users: Scalpers and day traders, especially for trading Gold (XAU/USD).
Recommended Target: Works well for scalping approximately $3 price movements on Gold.
Core Logic:
Detects excessive price deviation using Bollinger Bands (±2σ).
Filters out excessive signals with a bar interval limiter.
Displays clear and simple BUY/SELL labels for entry timing.
📌 Signal Conditions
BUY
Price closes below the Lower Bollinger Band.
At least the specified number of bars has passed since the previous signal.
Displays a “BUY” label below the bar.
SELL
Price closes above the Upper Bollinger Band.
At least the specified number of bars has passed since the previous signal.
Displays a “SELL” label above the bar.
📌 Parameters
Parameter Description Default
Bollinger Band Length (bbLength) Period for Bollinger Band calculation 20
Standard Deviation (bbStdDev) Standard deviation multiplier for band width 2.0
Signal Interval (barLimit) Minimum bar interval to avoid repeated signals 10
📌 How to Use
Add the indicator to your chart; Bollinger Bands and BUY/SELL labels will appear.
When a signal appears, confirm price reaction and enter a scalp trade (around $3 for Gold is recommended).
Adjust the “Signal Interval (barLimit)” to control signal frequency.
Avoid using it during high-impact news events or strong trending markets.
📌 Best Market Conditions
Range-bound markets
Scalping small price movements (~$3)
Low-volatility sessions (e.g. Asian session for Gold)
📌 Notes
May generate frequent signals during strong trends, leading to potential losses.
Can be combined with other indicators (e.g. 200 MA, RSI, VWAP) for higher accuracy.
Signals are for reference only and should not be used as the sole trading decision factor.
📌 ボリンジャーバンド逆張りBUY/SELL インジケーター解説
名前:Hunting Bollinger Bands for scalping
目的:レンジ相場での短期的な反発を狙った逆張りシグナルを表示
対象ユーザー:スキャルピングやデイトレードで、特にゴールド(XAU/USD)での小幅な値動きを狙うトレーダー
推奨利幅:ゴールドでおよそ 3ドル前後 を目安にスキャルピングを行うと有効
メインロジック:
ボリンジャーバンド(±2σ)で過剰な価格乖離を検出
バー間隔フィルターで過剰シグナルを制御
BUY/SELLラベルで視覚的にシンプルなエントリーポイントを表示
📌 シグナル条件
BUY(買いシグナル)
現在価格が ボリンジャーバンド下限(Lower Band)を下回った時
前回シグナルから指定したバー数以上経過
この条件を満たした場合、ローソク足下に「BUY」ラベルを表示します。
SELL(売りシグナル)
現在価格が ボリンジャーバンド上限(Upper Band)を上回った時
前回シグナルから指定したバー数以上経過
この条件を満たした場合、ローソク足上に「SELL」ラベルを表示します。
📌 パラメータ
項目 説明 初期値
ボリンジャーバンド期間 (bbLength) ボリンジャーバンド計算の期間 20
標準偏差 (bbStdDev) バンド幅を決める標準偏差 2.0
シグナル間隔 (barLimit) シグナルの連続表示を防止する最小バー間隔 10
📌 使い方
インジケーターをチャートに追加すると、ボリンジャーバンドとBUY/SELLラベルが表示されます
シグナルが出たら、反発確認後にスキャルピングエントリー(ゴールドなら約3ドルを目安に)
「シグナル間隔(barLimit)」を調整して、シグナルの過剰表示を防ぐ
経済指標発表や強いトレンド発生時は使用を控える
📌 このインジケーターが向いている相場
レンジ相場
小さな値幅(約3ドル前後)を狙うスキャルピング
トレンドが弱い横ばいの時間帯(例:アジア時間のゴールドなど)
📌 注意点
強いトレンド相場では、逆張りシグナルが連続的に発生し、損切りが増える可能性あり
200MAやRSI、VWAPなど他の指標と組み合わせることで精度を高められる
シグナルは参考用であり、単独での売買判断は推奨されない
Small Gap Down after Red Candle with Red-Middle Volumetric FillThis indicator highlights moments when price “gaps down” after a red candle — a sign that traders may have quickly lost confidence. It draws a colored box to mark the gap and keeps extending it until the price comes back up and “fills” the gap. The color of each box reflects how much trading activity happened during the red candle (more volume = brighter color). You can choose to hide filled gaps, show helpful labels, or keep your chart clean with just the most relevant info.
Gaps tend to act as magnets and could potentially serve as take-profit levels
Dual BB Candle ColoringDual Timeframe Bollinger Band Candle Coloring Indicator
What it does:
This indicator automatically colors candlesticks on your chart based on how price interacts with Bollinger Bands from two different timeframes - the 5-minute and 1-hour charts. It's designed to help traders quickly spot potential trading opportunities without cluttering their chart with multiple indicator lines.
How it works:
The indicator monitors when price touches or breaks through the upper and lower Bollinger Bands, then colors the candles according to specific rules:
For Bullish/Long Opportunities (Lower Band Signals):
Light Blue candles: When a bullish candle (closing higher than opening) touches or dips below the 5-minute Bollinger Band's lower line
Bright Green candles: When a bullish candle touches or dips below BOTH the 5-minute AND 1-hour Bollinger Band lower lines - a stronger signal
For Bearish/Short Opportunities (Upper Band Signals):
Yellow candles: When a bearish candle (closing lower than opening) touches or rises above the 5-minute Bollinger Band's upper line
Red candles: When a bearish candle touches or rises above BOTH the 5-minute AND 1-hour Bollinger Band upper lines - a stronger signal
Why it's useful:
Clean Charts: Instead of displaying multiple Bollinger Band lines that can clutter your view, it simply colors the candles
Multi-Timeframe Analysis: Combines signals from both 5-minute and 1-hour timeframes on a single 5-minute chart
Quick Visual Signals: The color coding lets you instantly see potential entry points without analyzing multiple indicators
Strength Indication: Differentiates between single timeframe signals (lighter colors) and confluence signals from both timeframes (brighter colors)
Trading Context:
Bollinger Bands typically indicate overbought/oversold conditions. When price touches the lower band, it might bounce up (bullish). When it touches the upper band, it might reverse down (bearish). This indicator highlights these moments, with stronger signals when both timeframes agree.RetryClaude can make mistakes. Please double-check responses.
Price_Logic7This advanced trend indicator provides a clear visual representation of market direction using customizable lines for dynamic adaptability. It features color-coded trend lines that adjust based on price action, offering real-time insights into bullish or bearish momentum. Users can personalize the thickness, style, and sensitivity to suit different strategies, from scalping to swing trading. The indicator filters out noise and highlights trend strength, reversals, and continuation zones. Ideal for confirming entries and exits, it integrates smoothly with support/resistance and volume tools. Its simplicity and precision make it a powerful asset for traders seeking clarity and confidence in volatile markets.
EMA9, EMA200 with Bollinger BandsThe indicator includes the EMA9 line, the EMA200 line and the Bollinger Bands into a single indicator plot.
Trend Reversal Advanced vC (EURUSD 3M)This indicator has been modified 3 times, this version is version C for your study and recalculation of the data or reprogramming of the same. If you acquire access, consult with the owner for any changes since it can only be accessed by invitation only. To make any modifications, first ask for permission.