Sniper Fade Indicator™️Sniper Fade Indicator™️
The Sniper Fade Indicator™️ is built to help traders spot potential fade opportunities — areas where price may exhaust and reverse during key sessions.
Features:
Fade Zone Mapping → visual zones highlighting likely reversal areas.
Time-Based Filters → optimized for London & New York sessions.
Clean Visual Overlays → boxes & markers for quick recognition.
Customizable Alerts → get notified when fade conditions align.
Works Across Markets → Forex, Futures, and Indices (including NAS100).
How to Use:
Use this indicator to plan trades around potential exhaustion zones. It works best when combined with daily bias context and liquidity levels. Always apply risk management and confirmation from your own strategy.
Notes:
Educational purposes only.
Not financial advice.
For best results, test in multiple markets and sessions.
Grafik Desenleri
Justin's Bitcoin Power Law Predictor (Santostasi Model)This indicator uses the Powerlaw to predict the BTC price.
Customisable Asia & London Session High/Low (UTC+1)london + asia high / low
can customise however you like. its not perfect but saves time
MTF RSI + ADX + ATR SL/TP vivekDescription:
This strategy combines the power of multi-timeframe RSI filtering with ADX trend confirmation and ATR-based risk management to capture strong directional moves.
🔑 Entry Rules:
• Daily RSI > 60
• 4H RSI > 60
• 1H RSI > 60
• 10m RSI > 40
• ADX (current timeframe) > 20
When all conditions align, a long entry is triggered.
🛡 Risk Management:
• ATR-based Stop-Loss (customizable multiplier)
• Take-Profit defined as a Risk-Reward multiple of the ATR stop
🎯 Why this Strategy?
• Ensures alignment across higher timeframes before entering a trade
• Uses ADX to avoid choppy/range-bound markets
• Built-in ATR stop-loss & take-profit for disciplined risk control
• Fully customizable parameters
This strategy is designed for trend-following swing entries. It works best on liquid instruments such as indices, forex pairs, and large-cap stocks. Always optimize the parameters based on your preferred asset and timeframe.
Intraday Option BuyIt's a clear Intraday option buying indicator where Chikou, the lagging span if geometrically synched with line chart can give clear view on trending/ momentum period.
VWAP Filtered with TrendThis indicator combines the classic **VWAP** with a trend EMA filtered by the TDFI oscillator to confirm market direction.
- VWAP is displayed in white as the fair value reference.
- The trend EMA dynamically changes color according to market condition: green (uptrend), red (downtrend), orange (range).
- Candles highlight in blue when a bullish VWAP crossover is confirmed, and in fuchsia when a bearish crossover is confirmed.
- Includes adjustable thresholds and a cooldown filter to reduce noise and improve reliability.
This approach allows traders to identify not only the relative position to VWAP but also the strength and clarity of the trend, enhancing decision-making across all timeframes.
Symbol Comparison with Multiplier//@version=5
indicator("Symbol Comparison with Multiplier", overlay=true)
// パラメーター設定
symInput = input.symbol("EURUSD", "比較する銘柄")
multiplier = input.float(1.0, "価格乗数", minval=0.001, step=0.1)
// 比較する銘柄の価格データを取得
compPrice = request.security(symInput, timeframe.period, close)
// 乗数を適用した価格を計算
adjustedPrice = compPrice * multiplier
// 調整後の価格をプロット
plot(adjustedPrice, title="調整後の比較銘柄", color=color.blue, linewidth=2)
サヤ取り分析 + テクニカル//@version=5
indicator("サヤ取り分析 + テクニカル", overlay=false)
// パラメーター設定
symbol2 = input.symbol("USDJPY", "比較する銘柄")
ma_length1 = input.int(5, "短期MA")
ma_length2 = input.int(25, "中期MA")
ma_length3 = input.int(75, "長期MA")
bb_length = input.int(20, "ボリンジャーバンド期間")
bb_std1 = input.float(2.0, "BB標準偏差1")
bb_std2 = input.float(3.0, "BB標準偏差2")
corr_length = input.int(20, "相関係数の期間", minval=2)
// 2つの銘柄の価格データを取得
price1 = close
price2 = request.security(symbol2, timeframe.period, close)
// サヤ比の計算
spread_ratio = price1 / price2
// 移動平均線の計算
sma1 = ta.sma(spread_ratio, ma_length1)
sma2 = ta.sma(spread_ratio, ma_length2)
sma3 = ta.sma(spread_ratio, ma_length3)
// ボリンジャーバンドの計算
bb_basis = ta.sma(spread_ratio, bb_length)
bb_dev1 = ta.stdev(spread_ratio, bb_length) * bb_std1
bb_dev2 = ta.stdev(spread_ratio, bb_length) * bb_std2
bb_upper1 = bb_basis + bb_dev1
bb_lower1 = bb_basis - bb_dev1
bb_upper2 = bb_basis + bb_dev2
bb_lower2 = bb_basis - bb_dev2
// 相関係数の計算
correlation = ta.correlation(price1, price2, corr_length)
// アラート条件
upperTouch1 = ta.crossover(spread_ratio, bb_upper1)
lowerTouch1 = ta.crossunder(spread_ratio, bb_lower1)
upperTouch2 = ta.crossover(spread_ratio, bb_upper2)
lowerTouch2 = ta.crossunder(spread_ratio, bb_lower2)
// アラートメッセージの設定
if upperTouch1
alert("上側ボリンジャーバンド(2σ)にタッチ", alert.freq_once_per_bar)
if lowerTouch1
alert("下側ボリンジャーバンド(2σ)にタッチ", alert.freq_once_per_bar)
if upperTouch2
alert("上側ボリンジャーバンド(3σ)にタッチ", alert.freq_once_per_bar)
if lowerTouch2
alert("下側ボリンジャーバンド(3σ)にタッチ", alert.freq_once_per_bar)
// プロット
plot(spread_ratio, title="サヤ比", color=color.purple, linewidth=2)
plot(sma1, title="短期MA", color=color.red)
plot(sma2, title="中期MA", color=color.yellow)
plot(sma3, title="長期MA", color=color.blue)
plot(bb_upper1, title="BB上限1", color=color.green)
plot(bb_lower1, title="BB下限1", color=color.green)
plot(bb_upper2, title="BB上限2", color=color.orange)
plot(bb_lower2, title="BB下限2", color=color.orange)
// 相関係数を右上に表示
var corrTable = table.new(position.top_right, 1, 1, bgcolor=color.new(color.black, 70))
table.cell(corrTable, 0, 0, "相関係数 (" + str.tostring(corr_length) + "): " + str.tostring(correlation, "#.####"), text_color=correlation >= 0 ? color.green : color.red, text_size=size.normal)
2 goblins 15 Min Breakout w/ RSI, Volume, MACD & Targettwo green bars in a row with a bullish mac D and an RSI<70 with volume rising on second candle. Use only for stocks that move within .50 cents within the trading day.
MATEOANUBISANTI-BILLIONSQUATDear traders, investors, and market enthusiasts,
We are excited to share our High-Low Indicator Range for on . This report aims to provide a clear and precise overview of the highest and lowest values recorded by during this specific hour, equipping our community with a valuable tool for making informed and strategic market decisions.
Chart Patterns – [AlphaGroup.Live]
# 📈 Chart Patterns Indicator –
Stop guessing. This tool hunts down the **10 most powerful price action patterns** and prints them on your chart exactly where they happen — once. No spam. No noise.
### Patterns Detected:
- Ascending / Descending / Symmetrical Triangles
- Rising & Falling Wedges
- Bull & Bear Flags
- Bull & Bear Pennants
- Double Tops & Bottoms
- Head & Shoulders / Inverse Head & Shoulders
### Why Traders Use It:
- **Clean execution**: Labels appear once, exactly where the structure forms.
- **No clutter**: Lines are capped, anchored, and never stretch across your entire chart.
- **Control**: Adjustable lookback, label spacing, and style.
### How to Apply:
- Catch continuation setups before the breakout.
- Identify reversal structures before the crowd.
- Train your eyes to see what institutions use to move billions.
⚡ Want more?
Get **100 battle-tested trading strategies**:
👉 (alphagroup.live)
This isn’t theory. It’s structure recognition at scale. Use it — or keep drawing lines by hand and falling behind.
MTF RSI + ADX + ATR SL/TPThis strategy combines the power of multi-timeframe RSI filtering with ADX trend confirmation and ATR-based risk management to capture strong directional moves.
🔑 Entry Rules:
• Daily RSI > 60
• 4H RSI > 60
• 1H RSI > 60
• 10m RSI > 40
• ADX (current timeframe) > 20
When all conditions align, a long entry is triggered.
🛡 Risk Management:
• ATR-based Stop-Loss (customizable multiplier)
• Take-Profit defined as a Risk-Reward multiple of the ATR stop
🎯 Why this Strategy?
• Ensures alignment across higher timeframes before entering a trade
• Uses ADX to avoid choppy/range-bound markets
• Built-in ATR stop-loss & take-profit for disciplined risk control
• Fully customizable parameters
This strategy is designed for trend-following swing entries. It works best on liquid instruments such as indices, forex pairs, and large-cap stocks. Always optimize the parameters based on your preferred asset and timeframe.
Vertical Line - Time SpecificIf you want to draw a vertical line at a certain time , you can use this Indicator - Work with 24 hr format
Gap Up HighlighterIdentifies stocks which meet the following conditions
1) Todays Open > 1.03* Previous day high
2) Todays Close > 1.03* Previous day high
BTC vs USDT Dominance + Info//@version=5
indicator("BTC vs USDT Dominance + Info", overlay=false)
// Ambil data BTCUSDT (Bybit)
btc = request.security("BYBIT:BTCUSDT", timeframe.period, close)
// Ambil data USDT Dominance (USDT.D)
usdtDom = request.security("CRYPTOCAP:USDT.D", timeframe.period, close)
// Normalisasi biar skalanya sama
btcNorm = (btc - ta.lowest(btc, 200)) / (ta.highest(btc, 200) - ta.lowest(btc, 200)) * 100
usdtNorm = (usdtDom - ta.lowest(usdtDom, 200)) / (ta.highest(usdtDom, 200) - ta.lowest(usdtDom, 200)) * 100
// Plot garis
plot(btcNorm, color=color.green, title="BTC (Normalized)", linewidth=2)
plot(usdtNorm, color=color.red, title="USDT Dominance (Normalized)", linewidth=2)
// Deteksi arah candle terakhir
btcUp = ta.change(btc) > 0
btcDown = ta.change(btc) < 0
// Label info otomatis
if btcUp
label.new(bar_index, btcNorm, "BTC Naik → USDT Dominance Turun",
color=color.green, textcolor=color.white, style=label.style_label_up)
if btcDown
label.new(bar_index, btcNorm, "BTC Turun → USDT Dominance Naik",
color=color.red, textcolor=color.white, style=label.style_label_down)
OB Vol Window [Trend Revolt]Order Block Liquidity Zones with volume strength — shows where buyers/sellers are stacked, filters noise, and warns of no-trade zones for intraday.
권재용 ai 시그널(단타, 스윙모드 버전)기존 보조지표들에 문제점이 많이 느낌.
한 보조지표에 한가지 밖에 적용못한다는 점과 선물용 시그널이 없다는점.
모든 보조지표를 뒤져봐도, 롱,숏,청산 까지 나오는 보조지표가 없어서, 답답해서 직접 알고리즘 구현함.
아직은 베타버전. 지속적 업데이트 예정(스윙모드 값 최적화 덜됨.)
1. 현재 비트코인과 이더리움 최적화되게 세팅값 자동 조정되게 구현함.
2. 시간봉에 따라 세팅값 자동으로 조정되게 많듦.
3. 여러 신뢰도 높은 보조지표들 알고리즘 통합하여 알고리즘 구현.
간단 알고리즘
1)추세 레짐 감지
ADX(평균 방향성 지수) + 200EMA 기울기(Slope) + ST 안정도(Trend Stability) + HTF 방향 일치 4개 요소 합산 → Trend Score 산출.
점수 기반으로 추세장 / 박스장 / 전이구간 분류, 상태 전환시 히스테리시스(Hysteresis) 적용해 딸깍거리 방지함.
즉, 한번 추세로 들어가면 일정 조건 만족해야만 박스로 전환됨 → Noise Filtering 핵심.
2)다층 청산 로직
Give-back Limit: MFE(최대유리구간) 대비 일정 비율 되돌리면 청산 → 익절 보호.
ADX Weakness Counter: ADX가 약해지는 횟수 카운팅 → 모멘텀 사라질 때 청산.
HTF Flip Exit: 상위TF 추세 뒤집힘 시 강제 청산.
Structure Exit: 스윙 저점/고점 깨지면 구조 붕괴로 판단해 청산.
Time Stop: 스윙에서 일정 시간 진전 없으면 자동 청산.
이 모든 걸 OR 조건으로 묶음 → Multi-factor Exit Engine.
3). Adaptive Parameter Scaling (적응형 파라미터 스케일링)
사용자가 정한 공격성(aggressiveness) 값 + 실시간 레짐 상태 합쳐서
트레일링 폭(k)
되돌림 한계(gb)
ADX 문턱값
타임스톱 시간
다이나믹하게 바뀜.
결과: 시장이 고변동 추세장이면 청산 늦추고, 저변동 박스장이면 빨리 털고 나옴.
이게 Risk-Adjusted Exit Control 핵심.
4) State Machine Position Handling (포지션 상태 머신)
포지션 열림/닫힘/쿨다운 주기 관리.
진입 후 entryPrice, slPrice, mfe, noProgBars 등 상태변수 실시간 업데이트.
일종의 Finite State Machine(FSM) 구조라서 로직 충돌 없이 깔끔하게 동작함.
7. Hysteresis & Persistence Filters
추세/변동성 상태 바뀔 때 Persistence Counter로 연속성 요구함.
예: 한두 봉 노이즈로는 추세 안바뀜 → Signal Debouncing 기법.
간단 사용 루틴(단타)
1~15분봉 추천, 단타 + Auto + Auto + 공격성 50~60.
우상단 시장이 추세장·고변동이면 시그널↑. 박스장·저변동이면 진입 빈도↓.
KJY-L/S 뜨면 진입, 회색선=진입가/빨간선=SL 확인.
KJY-E 뜨면 미련 없이 정리. 알림 연동해두면 실전 편함.
간단 사용 루틴(스윙)
2H~4H, 스윙 + Auto + Auto + 공격성 45~55 + 스윙 최적화 ON.
구조 붕괴/타임스톱/HTF 뒤집힘 오면 자동으로 E 라벨로 정리.
레짐 감지: ADX 스무딩, 200EMA 기울기, ST 안정도, HTF 정합로 점수화 → 추세/박스 자동 분류.
변동성 적응: TR 비율로 고/저변동 인식 → 트레일 폭, 되돌림 한계, 타임스톱 스케일 조정.
스윙 가드: 1D 구조/기울기/정체시간 3중 안전장치.
공격성 슬라이더: 사용자 성향 한 방에 반영(트레일·되돌림·ADX 문턱 동시 스케일링).
I felt a lot of limitations with existing indicators.
Most indicators can only handle one thing at a time, and none of them provide signals specifically for futures trading.
After digging through all indicators, I realized there wasn’t a single one that gave me long, short, and exit signals all in one — so I built my own algorithm out of frustration.
This is still a beta version, with continuous updates planned.
Automatically optimized for Bitcoin and Ethereum.
Parameters auto-adjust based on timeframe.
Combines multiple high-reliability indicators into one unified algorithm.
1) Trend Regime Detection
Uses ADX (Average Directional Index) + 200EMA Slope + ST Stability (Trend Stability) + HTF Direction Alignment.
Combines the four elements into a Trend Score.
Classifies markets into Trending / Ranging / Transitional phases.
Applies Hysteresis during regime switching to prevent rapid signal flipping.
Once in a trend, it only switches to range mode after strict conditions are met → core Noise Filtering logic.
2) Multi-Layer Exit Logic
Give-back Limit: Exits if price retraces beyond a set % of MFE (Maximum Favorable Excursion) → protects profits.
ADX Weakness Counter: Counts consecutive ADX weakening periods → exits when momentum dies.
HTF Flip Exit: Forces exit if higher-timeframe trend reverses.
Structure Exit: Exits when swing high/low breaks = structural failure.
Time Stop: Auto exit if no progress after a set number of bars in swing mode.
All combined via OR conditions → Multi-factor Exit Engine.
3) Adaptive Parameter Scaling
Combines user-defined aggressiveness + real-time regime state to dynamically adjust:
Trailing stop width (k)
Give-back limit (gb)
ADX threshold
Time-stop duration
Result: In high-volatility trending markets, exits trail further; in low-volatility ranging markets, exits tighten quickly → key to Risk-Adjusted Exit Control.
4) State Machine Position Handling
Manages open/close/cooldown cycles for positions.
Updates variables like entryPrice, slPrice, mfe, noProgBars in real-time.
Built as a Finite State Machine (FSM) → avoids logic conflicts, ensures clean execution.
5) Hysteresis & Persistence Filters
Adds Persistence Counters for regime switching.
Prevents a single noisy candle from flipping states → Signal Debouncing technique.
Recommended: 1–15min charts, Settings: Scalp + Auto + Auto + Aggressiveness 50–60.
Top-right panel: Trending + High-Volatility → More Signals, Ranging + Low-Volatility → Fewer Entries.
When KJY-L/S appears → enter trade. Gray line = entry price, red line = SL.
When KJY-E appears → exit with no hesitation. Alerts make it seamless in real trading.
Recommended: 2H–4H charts, Settings: Swing + Auto + Auto + Aggressiveness 45–55 + Swing Optimization ON.
Structural breaks / Time-stop / HTF trend reversals → auto exit with E label.
Regime Detection: ADX smoothing + 200EMA slope + ST stability + HTF alignment → auto classifies Trend vs Range.
Volatility Adaptation: TR ratio detects high/low volatility → adjusts trail, give-back, and time-stop levels.
Swing Guard: 1D structure, slope, and time-stop → triple safety filter.
Aggressiveness Slider: Instantly applies user preference to trail width, give-back, ADX thresholds