Linear Regression ChannelЭтот индикатор строит канал на основе линейной регрессии цены. Более гладкий, чем канал Дончиана, менее подвержен резким колебаниям. Торговые сигналы формируются при пробое границ канала или при отскоках от них.
Wstęgi i Kanały
Multi-Indicator Strategy (RSI + MACD + Supertrend + VWAP)Multi-Indicator Strategy (RSI + MACD + Supertrend + VWAP)
Quantum Precision Forex Strategy//@version=5
strategy("Quantum Precision Forex Strategy", overlay=true, default_qty_type=strategy.percent_of_equity, default_qty_value=10)
// Input parameters
atrLength = input(14, "ATR Length")
atrMultiplier = input(2.0, "ATR Multiplier")
riskRewardRatio = input(3, "Risk-Reward Ratio")
confirmationLength = input(10, "Confirmation Period")
// ATR Calculation
aTR = ta.atr(atrLength)
stopLoss = atrMultiplier * aTR
takeProfit = stopLoss * riskRewardRatio
// Custom Quantum Confirmation Indicator
momentum = ta.mom(close, confirmationLength)
volatility = ta.stdev(close, 20) > ta.sma(ta.stdev(close, 20), 50)
trendStrength = ta.ema(close, 20) > ta.ema(close, 50)
confirmationSignal = momentum > 0 and volatility and trendStrength
// Entry Conditions
longCondition = confirmationSignal and ta.crossover(ta.ema(close, 10), ta.ema(close, 30))
shortCondition = not confirmationSignal and ta.crossunder(ta.ema(close, 10), ta.ema(close, 30))
if (longCondition)
strategy.entry("Quantum Long", strategy.long)
strategy.exit("Quantum Exit Long", from_entry="Quantum Long", stop=close - stopLoss, limit=close + takeProfit)
if (shortCondition)
strategy.entry("Quantum Short", strategy.short)
strategy.exit("Quantum Exit Short", from_entry="Quantum Short", stop=close + stopLoss, limit=close - takeProfit)
// Neural Adaptive Trendlines
trendlineShort = ta.linreg(close, 10, 0)
trendlineLong = ta.linreg(close, 50, 0)
plot(trendlineShort, title="Short-Term Trendline", color=color.blue, linewidth=2)
plot(trendlineLong, title="Long-Term Trendline", color=color.red, linewidth=2)
// AI-Inspired Market Sentiment Indicator
marketSentiment = ta.correlation(ta.ema(close, 10), ta.ema(close, 50), 20)
plot(marketSentiment, title="Market Sentiment", color=color.green)
BTC 4H 综合策略趋势过滤:
仅当MA金叉(20周期上穿60周期)且MACD柱状图转正时,才考虑多头信号
反向逻辑用于空头信号
震荡信号增强:
在趋势信号基础上,要求价格触及布林带下轨(超卖)且RSI<30才会触发买入
同理,价格触及布林带上轨(超买)且RSI>70触发卖出
动态风险管理:
使用ATR计算动态止损(1.5倍ATR)
止盈设置为固定3倍ATR(可改为移动止盈)
Optimized Multi-Timeframe MACD, RSI & Volume AlertOptimized Multi-Timeframe MACD, RSI & Volume Alert for 15minK
Breakout Trading Strategy//@version=6
strategy("Breakout Trading Strategy", overlay=true)
// ✅ 파라미터 설정
length = 20 // 최근 20개 캔들 기준 돌파 확인
vol_length = 10 // 최근 10개 캔들 평균 거래량 비교
atr_mult = 1.5 // 손절(ATR 기준)
risk_reward = 2 // 손익비 1:2
// ✅ 지표 계산
high_break = ta.highest(high, length)
low_break = ta.lowest(low, length)
vol_avg = ta.sma(volume, vol_length)
ema50 = ta.ema(close, 50)
atr_val = ta.atr(14)
// ✅ 진입 조건
long_condition = ta.crossover(close, high_break) and volume > vol_avg * 1.3 and close > ema50
short_condition = ta.crossunder(close, low_break) and volume > vol_avg * 1.3 and close < ema50
// ✅ 손절 및 익절 설정
long_sl = close - atr_mult * atr_val
long_tp = close + (atr_mult * atr_val * risk_reward)
short_sl = close + atr_mult * atr_val
short_tp = close - (atr_mult * atr_val * risk_reward)
// ✅ 트레이드 실행
if long_condition
strategy.entry("Long", strategy.long)
strategy.exit("Take Profit", from_entry="Long", limit=long_tp, stop=long_sl)
if short_condition
strategy.entry("Short", strategy.short)
strategy.exit("Take Profit", from_entry="Short", limit=short_tp, stop=short_sl)
// ✅ 시각적 표시
plot(high_break, color=color.green, title="High Breakout Level")
plot(low_break, color=color.red, title="Low Breakout Level")
Bollinger Bands for STDDEV1,2,3Bollinger Bands with shaded areas representing different standard deviations. The shading becomes progressively darker as you move further away from the mean,
(StdDev 1):
These lines represent the Bollinger Bands at one standard deviation away from the moving average.
They indicate a relatively narrow range of expected price movement.
When prices move outside these bands, it can suggest a potential short-term overbought or oversold condition.
(StdDev 2):
Bollinger Bands at two standard deviations away from the moving average.
They indicate a wider range of expected price movement.
These bands are often used to identify more significant overbought or oversold conditions and potential trend reversals.
This is also the area that is shaded.
(StdDev 3):
Bollinger Bands at three standard deviations away from the moving average.
They indicate an even wider range of expected price movement.
Prices rarely reach these bands, and when they do, it can signal extreme market conditions or strong trends.
Cryptolabs Global Liquidity Cycle Momentum IndicatorCryptolabs Global Liquidity Cycle Momentum Indicator (LMI-BTC)
This open-source indicator combines global central bank liquidity data with Bitcoin price movements to identify medium- to long-term market cycles and momentum phases. It is designed for traders who want to incorporate macroeconomic factors into their Bitcoin analysis.
How It Works
The script calculates a Liquidity Index using balance sheet data from four central banks (USA: ECONOMICS:USCBBS, Japan: FRED:JPNASSETS, China: ECONOMICS:CNCBBS, EU: FRED:ECBASSETSW), augmented by the Dollar Index (TVC:DXY) and Chinese 10-year bond yields (TVC:CN10Y). This index is:
- Logarithmically scaled (math.log) to better represent large values like central bank balances and Bitcoin prices.
- Normalized over a 50-period range to balance fluctuations between minimum and maximum values.
- Compared to prior-year values, with the number of bars dynamically adjusted based on the timeframe (e.g., 252 for 1D, 52 for 1W), to compute percentage changes.
The liquidity change is analyzed using a Chande Momentum Oscillator (CMO) (period: 24) to measure momentum trends. A Weighted Moving Average (WMA) (period: 10) acts as a signal line. The Bitcoin price is also plotted logarithmically to highlight parallels with liquidity cycles.
Usage
Traders can use the indicator to:
- Identify global liquidity cycles influencing Bitcoin price trends, such as expansive or restrictive monetary policies.
- Detect momentum phases: Values above 50 suggest overbought conditions, below -50 indicate oversold conditions.
- Anticipate trend reversals by observing CMO crossovers with the signal line.
It performs best on higher timeframes like daily (1D) or weekly (1W) charts. The visualization includes:
- CMO line (green > 50, red < -50, blue neutral), signal line (white), Bitcoin price (gray).
- Horizontal lines at 50, 0, and -50 for improved readability.
Originality
This indicator stands out from other momentum tools like RSI or basic price analysis due to:
- Unique Data Integration: Combines four central bank datasets, DXY, and CN10Y as macroeconomic proxies for Bitcoin.
- Dynamic Prior-Year Analysis: Calculates liquidity changes relative to historical values, adjustable by timeframe.
- Logarithmic Normalization: Enhances visibility of extreme values, critical for cryptocurrencies and macro data.
This combination offers a rare perspective on the interplay between global liquidity and Bitcoin, unavailable in other open-source scripts.
Settings
- CMO Period: Default 24, adjustable for faster/slower signals.
- Signal WMA: Default 10, for smoothing the CMO line.
- Normalization Window: Default 50 periods, customizable.
Users can modify these parameters in the Pine Editor to tailor the indicator to their strategy.
Note
This script is designed for medium- to long-term analysis, not scalping. For optimal results, combine it with additional analyses (e.g., on-chain data, support/resistance levels). It does not guarantee profits but supports informed decisions based on macroeconomic trends.
Data Sources
- Bitcoin: INDEX:BTCUSD
- Liquidity: ECONOMICS:USCBBS, FRED:JPNASSETS, ECONOMICS:CNCBBS, FRED:ECBASSETSW
- Additional: TVC:DXY, TVC:CN10Y
VWAP Distance OscillatorCalculates the distance from the vwap. This is used in line with my trading strategy surrounding using the vwap as a barometer
Analyse Cycle Bollinger Bands - 4 PhasesVoici un script Pine Script qui analyse l’évolution des bandes Bollinger en découpant le cycle en 4 phases :
Phase 1 (Consolidation) : Les bandes sont proches et quasiment parallèles.
Phase 2 (Divergence) : Les bandes commencent à s’écarter, l’une monte et l’autre descend. La phase 2 se termine dès qu’une des bandes amorce une inversion.
Phase 3 (Tendance) : Les deux bandes évoluent dans la même direction. Cette phase se termine dès que la deuxième bande change de sens.
Phase 4 (Convergence) : Les bandes se rapprochent jusqu’à atteindre leur écart minimal, moment auquel le cycle recommence en phase 1.
Le script trace également, pour chaque transition, une ligne verticale allant de la bande inférieure à la bande supérieure et remplit l’espace entre les bandes d’une couleur translucide caractéristique à la phase en cours
Explications détaillées
Calcul des Bollinger Bands
Le script calcule la moyenne simple (basis) sur une période définie (par défaut 20) et ajoute ou soustrait un multiple (par défaut 2) de l’écart-type pour obtenir respectivement la bande supérieure et la bande inférieure. La variable bandWidth correspond à l’écart entre ces deux bandes.
Calcul des pentes
On calcule la variation d’une barre à l’autre pour chaque bande (slopeUpper et slopeLower). Ces pentes serviront à déterminer si une bande monte ou descend d’une barre à l’autre.
Machine à états (state machine)
Le script utilise une variable phase qui prend successivement les valeurs 1, 2, 3 ou 4 selon l’évolution des bandes.
Phase 1 (Consolidation) : On attend que les bandes, jusque-là proches et parallèles, commencent à s’écarter (pente positive pour la supérieure et négative pour l’inférieure, et écart qui augmente).
Phase 2 (Divergence) : Dès qu’une des bandes inverse (passage de la pente positive à négative pour la supérieure, ou négative à positive pour l’inférieure), on passe en phase 3 et on enregistre laquelle a inversé.
Phase 3 (Tendance) : On reste en phase 3 jusqu’à ce que la deuxième bande (celle qui n’avait pas encore inversé) change de direction, ce qui marque le passage en phase 4.
Phase 4 (Convergence) : On suit la diminution de l’écart entre les bandes. Lorsque cet écart atteint un minimum local (sur 10 barres), le cycle est considéré terminé et on retourne en phase 1.
Affichage graphique
Les bandes Bollinger sont tracées (avec une couleur bleue pour les bandes et grise pour la moyenne).
L’espace entre les bandes est rempli d’une couleur translucide qui change selon la phase (bleu, vert, orange ou rouge).
À chaque changement de phase, une ligne verticale (dessinée de la bande inférieure à la bande supérieure) est tracée avec la couleur caractéristique de la nouvelle phase.
Un label indique également sur le graphique le numéro de la phase en cours.
Ce script vous permettra d’observer visuellement la segmentation du cycle des Bollinger Bands en 4 phases. Vous pourrez par exemple l’utiliser pour adapter votre stratégie en fonction de la dynamique des bandes.
INDICADORES DOC 4IN1 V1.4.3Indicador agregando varios indicadores de doc.
Donde vemos volumen en las velas.
Bandas haciendo de medias moviles.
Lineas de cruce.
NguDanIndex VIP📌 Mô tả chỉ báo: NguDanIndex Pro
🚀 NguDanIndex Pro là một chỉ báo kỹ thuật mạnh mẽ, kết hợp RSI, Divergence (Phân kỳ), Hỗ trợ & Kháng cự, và Vùng Điều Chỉnh (Correction Zone) để giúp trader xác định xu hướng và tìm điểm vào lệnh tối ưu.
👉 Dành cho ai?
✔ Scalper / Day Trader – Tìm tín hiệu nhanh và chính xác.
✔ Swing Trader – Xác định điểm đảo chiều để vào lệnh dài hạn.
✔ Holder & Investor – Theo dõi xu hướng thị trường trước khi quyết định giao dịch.
📖 Hướng dẫn sử dụng
🔹 1. RSI & Divergence (Phân kỳ)
RSI (Relative Strength Index) giúp xác định khi nào thị trường đang quá mua (>70) hoặc quá bán (<30).
Phân kỳ RSI (Divergence) giúp phát hiện đảo chiều sớm:
🟢 Phân kỳ tăng (Bullish Divergence - Xanh lá): Khi giá tạo đáy thấp hơn nhưng RSI tạo đáy cao hơn → Báo hiệu khả năng tăng giá.
🔴 Phân kỳ giảm (Bearish Divergence - Đỏ): Khi giá tạo đỉnh cao hơn nhưng RSI tạo đỉnh thấp hơn → Báo hiệu khả năng giảm giá.
🔹 2. Hỗ trợ & Kháng cự (S/R Levels)
✅ Vùng hỗ trợ mạnh (màu xanh lá) → Có thể xuất hiện lực mua.
❌ Vùng kháng cự mạnh (màu đỏ) → Có thể xuất hiện lực bán.
🔹 3. Vùng Điều Chỉnh (Correction Zone)
🟦 Vùng điều chỉnh giá (màu xanh dương nhạt) giúp trader nhận biết giai đoạn giá đang điều chỉnh trước khi tiếp tục xu hướng chính.
Nếu giá chạm vùng này, cẩn trọng với xu hướng ngắn hạn.
🎯 Cách sử dụng trong giao dịch
📌 Chiến lược vào lệnh:
✅ BUY khi:
✔ RSI < 30 + Xuất hiện Bullish Divergence (màu xanh lá).
✔ Giá chạm vùng hỗ trợ mạnh.
✔ Giá vào vùng điều chỉnh nhưng có dấu hiệu bật lên.
❌ SELL khi:
✔ RSI > 70 + Xuất hiện Bearish Divergence (màu đỏ).
✔ Giá chạm vùng kháng cự mạnh.
✔ Giá vào vùng điều chỉnh nhưng có dấu hiệu giảm tiếp.
📌 Kết hợp với các chỉ báo khác:
🔹 EMA / SMA: Xác nhận xu hướng dài hạn.
🔹 MACD: Kiểm tra động lực xu hướng.
🔹 Volume: Xác nhận sức mạnh của tín hiệu.
💡 Lợi ích của chỉ báo
✔ Xác định xu hướng thị trường một cách trực quan.
✔ Phát hiện điểm đảo chiều chính xác với RSI & Divergence.
✔ Tối ưu điểm vào lệnh dựa trên hỗ trợ, kháng cự và vùng điều chỉnh.
✔ Giảm thiểu tín hiệu nhiễu, tập trung vào các vùng quan trọng nhất.
📌 Cảnh báo & Lưu ý
⚠ Không có chỉ báo nào đúng 100%! Luôn kết hợp với quản lý vốn & chiến lược giao dịch.
⚠ Tín hiệu phân kỳ RSI không phải lúc nào cũng chính xác ngay lập tức, cần xác nhận thêm bằng hỗ trợ, kháng cự hoặc khối lượng giao dịch.
🚀 Hãy thử nghiệm trên tài khoản demo trước khi sử dụng trên tài khoản thật!
📢 Nếu bạn thấy chỉ báo hữu ích, hãy bấm Like & Follow để cập nhật những nâng cấp mới nhất! 🚀🔥
💬 Mọi phản hồi & góp ý, hãy để lại bình luận bên dưới!
📊 Chúc bạn giao dịch thành công! 💹💰🚀
DEMA 9 with Percentage ChannelsIndicator Title: DEMA 9 Dynamic Percentage Channels
Description:
A customizable trend-following indicator featuring:
Base Line: Double Exponential Moving Average (DEMA 9)
Four Dynamic Channels:
Two upper lines (Offset: +Step%, +2×Step%)
Two lower lines (Offset: -Step%, -2×Step%)
Adjustable Parameters:
Step percentage (default: 14%)
Custom colors for each line
Line thickness (1-5 pixels)
Use Cases:
Identify trend direction via DEMA baseline
Spot overextended price movements using dynamic channels
Set volatility-based entry/exit zones
Customize visuals for any trading style (scalping, swing, etc.)
BBMan with EMAsBBMan (Bollinger Bands Manager)
Created by: Hiroshi Yoshitaka
Website: cryptrader.net
Description:
A comprehensive Bollinger Bands indicator that combines standard deviation bands (2σ and 3σ) with key EMAs (100 and 200) for enhanced technical analysis. The indicator features customizable visual elements and flexible alert conditions.
Key Features:
- Dual Bollinger Bands (2σ and 3σ)
- EMA 100 and 200 overlay
- Customizable color scheme
- Advanced alert system
Components:
1. Bollinger Bands
- Center line (20-period SMA)
- 2σ bands (thinner lines)
- 3σ bands (thicker lines)
- Highlighted area between 2σ and 3σ
2. Moving Averages
- EMA 100 (medium-term trend)
- EMA 200 (long-term trend)
- Toggle option for EMA display
3. Alert System
- Customizable timeframe selection
- Choice between 2σ and 3σ band touches
- Price touch notifications
Visual Settings:
- Orange-based color scheme for bands
- Customizable transparency for highlighted areas
- Different line weights for 2σ and 3σ bands
- Distinct colors for EMAs (blue for 100, red for 200)
Use Cases:
- Volatility analysis
- Trend identification
- Support/resistance levels
- Overbought/oversold conditions
- Price reversal signals
The indicator is designed for traders who want a clean, professional view of price action relative to standard deviation bands while maintaining awareness of key moving averages.
BOZ SEMA BBIndicator to plots key these indicators
EMA 20, 50, 200
SMA 20, 50, 99, 200
Bollinger Bands (20 period, 3 standard deviations)
High-Low Breakout StrategyIt enters a long position when the close price is greater than the previous high and enters a short position when the close price is lower than the previous low. It also includes exit conditions that close positions when the opposite condition is met.
RSI Signal Pro[UgurTash]Introducing RSI Signal Pro for TradingView
RSI Signal Pro is a refined version of the standard Relative Strength Index (RSI) , designed to improve signal accuracy by generating alerts in real-time instead of waiting for multiple candle confirmations. This enhancement allows traders to react faster to market movements while maintaining the familiar RSI structure.
What Makes RSI Signal Pro Unique?
✅ Real-Time RSI Signals: Unlike the traditional RSI, which waits for candle confirmations, this version provides immediate buy and sell signals upon key level crossovers.
✅ Dual Trading Modes: Choose between Simple Mode (standard RSI crossovers) and Advanced Mode (momentum-adjusted signals with price validation).
✅ Customizable RSI-Based Moving Average (MA): Optionally apply SMA, EMA, WMA, or VWMA to smooth RSI fluctuations and identify longer-term trends.
✅ Adaptive Signal Filtering: The Advanced Mode reduces false signals by filtering RSI movements with a momentum threshold and historical RSI validation.
✅ User-Friendly Interface: Simple ON/OFF toggles allow easy customization of the indicator's behavior.
How This Indicator Works
🔹 Simple Mode: Identical to traditional RSI, triggering signals when RSI crosses 30 (bullish) or 70 (bearish).
🔹 Advanced Mode: Uses historical RSI pivots, momentum verification, and price confirmation to refine signal accuracy—ideal for traders looking for more precise entries.
🔹 RSI-Based MA: Optionally overlay moving averages onto the RSI, providing additional trend confirmation.
How to Use RSI Signal Pro
1️⃣ Select a mode: Use Simple Mode for frequent alerts or Advanced Mode for refined signals.
2️⃣ Enable RSI-Based MA: Apply SMA, EMA, WMA, or VWMA to smooth RSI fluctuations.
3️⃣ Set alerts: TradingView notifications allow you to react to real-time RSI movements instantly.
4️⃣ Apply to multiple markets: Effective for crypto, forex, stocks, and commodities.
Why Use RSI Signal Pro Instead of Standard RSI?
While RSI Signal Pro maintains the core functionality of the standard RSI, its real-time signal generation allows traders to make faster decisions without the typical delay caused by waiting for candle confirmations. Additionally, the optional momentum filtering and moving average smoothing ensure fewer false signals and better trade accuracy.