PSP [ANAY]PSP and TPD with ES NQ and YM. When NQ closoes up and ES closes down that marked uot a TPD
Educational
Diabolos Long What the strategy tries to do
It looks for RSI dips into oversold, then waits for RSI to recover above a chosen level before placing a limit buy slightly below the current price. If the limit doesn’t fill within a few bars, it cancels it. Once in a trade, it sets a fixed take-profit and stop-loss. It can pyramid up to 3 entries.
Step-by-step
1) Inputs you control
RSI Length (rsiLen), Oversold level (rsiOS), and a re-entry threshold (rsiEntryLevel) you want RSI to reach after oversold.
Entry offset % (entryOffset): how far below the current close to place your limit buy.
Cancel after N bars (cancelAfterBars): if still not filled after this many bars, the limit order is canceled.
Risk & compounding knobs: initialRisk (% of equity for first order), compoundRate (% to artificially grow the equity base after each signal), plus fixed TP% and SL%.
2) RSI logic (arming the setup)
It calculates rsi = ta.rsi(close, rsiLen).
If RSI falls below rsiOS, it sets a flag inOversold := true (this “arms” the next potential long).
A long signal (longCondition) happens only when:
inOversold is true (we were oversold),
RSI comes back above rsiOS,
and RSI is at least rsiEntryLevel.
So: dip into OS → recover above OS and to your threshold → signal fires.
3) Placing the entry order
When longCondition is true:
It computes a limit price: close * (1 - entryOffset/100) (i.e., below the current bar’s close).
It sizes the order as positionRisk / close, where:
positionRisk starts as accountEquity * (initialRisk/100).
accountEquity was set once at script start to strategy.equity.
It places a limit long: strategy.order("Long Entry", strategy.long, qty=..., limit=limitPrice).
It then resets inOversold := false (disarms until RSI goes oversold again).
It remembers the bar index (orderBarIndex := bar_index) so it can cancel later if unfilled.
Important nuance about “compounding” here
After signaling, it does:
compoundedEquity := compoundedEquity * (1 + compoundRate/100)
positionRisk := compoundedEquity * (initialRisk/100)
This means your future order sizes grow by a fixed compound rate every time a signal occurs, regardless of whether previous trades won or lost. It’s not tied to actual PnL; it’s an artificial growth curve. Also, accountEquity was captured only once at start, so it doesn’t automatically track live equity changes.
4) Auto-cancel the limit if it doesn’t fill
On each bar, if bar_index - orderBarIndex >= cancelAfterBars, it does strategy.cancel("Long Entry") and clears orderBarIndex.
If the order already filled, cancel does nothing (there’s nothing pending with that id).
Behavioral consequence: Because you set inOversold := false at signal time (not on fill), if a limit order never fills and later gets canceled, the strategy will not fire a new entry until RSI goes below oversold again to re-arm.
5) Managing the open position
If strategy.position_size > 0, it reads the avg entry price, then sets:
takeProfitPrice = avgEntryPrice * (1 + exitGainPercentage/100)
stopLossPrice = avgEntryPrice * (1 - stopLossPercentage/100)
It places a combined exit:
strategy.exit("TP / SL", from_entry="Long Entry", limit=takeProfitPrice, stop=stopLossPrice)
With pyramiding=3, multiple fills can stack into one net long position. Using the same from_entry id ties the TP/SL to that logical entry group (not per-layer). That’s OK in TradingView (it will manage TP/SL for the position), but you don’t get per-layer TP/SL.
6) Visuals & alerts
It plots a green triangle under the bar when the long signal condition occurs.
It exposes an alert you can hook to: “Покупка при достижении уровня”.
A quick example timeline
RSI drops below rsiOS → inOversold = true (armed).
RSI rises back above rsiOS and reaches rsiEntryLevel → signal.
Strategy places a limit buy a bit below current price.
4a) If price dips to fill within cancelAfterBars, you’re long. TP/SL are set as fixed % from avg entry.
4b) If price doesn’t dip enough, after N bars the limit is canceled. The system won’t re-try until RSI becomes oversold again.
Key quirks to be aware of
Risk sizing isn’t PnL-aware. accountEquity is frozen at start, and compoundedEquity grows on every signal, not on wins. So size doesn’t reflect real equity changes unless you rewrite it to use strategy.equity each time and (optionally) size by stop distance.
Disarm on signal, not on fill. If a limit order goes stale and is canceled, the system won’t try again unless RSI re-enters oversold. That’s intentional but can reduce fills.
Single TP/SL id for pyramiding. Works, but you can’t manage each add-on with different exits.
RSI: chart overlay
This indicator maps RSI thresholds directly onto price. Since the EMA of price aligns with RSI’s 50-line, it draws a volatility-based band around the EMA to reveal levels such as 70 and 30.
By converting RSI values into visible price bands, the overlay lets you see exactly where price would have to move to hit traditional RSI boundaries. These bands adapt in real time to both price movement and market volatility, keeping the classic RSI logic intact while presenting it in the context of price action. This approach helps traders interpret RSI signals without leaving the main chart window.
The calculation uses the same components as the RSI: alternative derivation script: Wilder’s EMA for smoothing, a volatility-based unit for scaling, and a normalization factor. The result is a dynamic band structure on the chart, representing RSI boundary levels in actual price terms.
Key components and calculation breakdown:
Wilder’s EMA
Used as the anchor point for measuring price position.
myEMA = ta.rma(close, Length)
Volatility Unit
Derived from the EMA of absolute close-to-close price changes.
CC_vol = ta.rma(math.abs(close - close ), Length)
Normalization Factor
Scales the volatility unit to align with the RSI formula’s structure.
normalization_factor = 1 / (Length - 1)
Upper and Lower Boundaries
Defines price bands corresponding to selected RSI threshold values.
up_b = myEMA + ((upper - 50) / 50) * (CC_vol / normalization_factor)
down_b = myEMA - ((50 - lower) / 50) * (CC_vol / normalization_factor)
Inputs
RSI length
Upper boundary – RSI level above 50
Lower boundary – RSI level below 50
ON/OFF toggle for 50-point line (EMA of close prices)
ON/OFF toggle for overbought/oversold coloring (use with line chart)
Interpretation:
Each band on the chart represents a chosen RSI level.
When price touches a band, RSI is at that threshold.
The distance between moving average and bands adjusts automatically with volatility and your selected RSI length.
All calculations remain fully consistent with standard RSI values.
Feedback and code suggestions are welcome, especially regarding implementation efficiency and customization.
Bekas BASIC IndicatorBekas BASIC Indicator combines dynamic trend-following and support/resistance techniques:
🔹 Dual Moving Averages (user-selectable type: SMA, EMA, WMA, HMA):
- Fast MA (default: 10)
- Slow MA (default: 50)
- Generates Buy/Sell signals on crossovers with optional volume confirmation.
🔹 Volume Filter:
- Only triggers signals when volume exceeds the average by a user-defined multiple.
🔹 Pivot-Based Support & Resistance:
- Detects recent swing highs/lows (default lookback: 10 bars).
- Draws horizontal purple lines as potential support/resistance zones.
🔹 Diagonal Trendlines:
- Draws lines from recent pivot high/low to current price.
- Shows evolving short-term uptrend/downtrend visually.
🔹 Alerts:
- Configurable alerts for Buy/Sell signals based on crossover + volume.
Ideal for spotting early trend shifts, bounce zones, and breakout opportunities.
EMA 20 TirangaEMA 20 high, low and close strategy for intraday. Candles closing above EMAs for bullish moves and candles closing below EMAs for bearish moves. EMA 500 to check overall trend.
Zero Lag + Momentum Bias StrategyZero Lag + Momentum Bias Strategy (MTF + Strong MBI + R:R + Partial TP + Alerts)
Smart Money Concepts [varshitAlgo]🚀 Smart Money Concept (SMC) – Varshit Algo Indicator
The Varshit Algo Indicator is built for traders who want to trade like institutions and understand the true market structure behind the charts. It combines multiple Smart Money Concepts into one powerful tool to help identify high-probability trade setups.
🔹 Key Features:
Automatically detects Order Blocks, Break of Structure (BOS), and Market Structure Shifts (MSS)
Highlights Fair Value Gaps (FVG) for precise entry points
Identifies liquidity zones and reversal areas where market makers trap retail traders
Multi-timeframe confirmation for stronger signals
Clean, user-friendly, and professional visual design
🔹 Best For:
Scalping, intraday, and swing trading
Traders who want to apply institutional trading concepts
Beginners to learn SMC + Advanced traders to execute strategies with confidence
⚠️ Disclaimer: This indicator is for educational and analytical purposes only. It is not financial advice. Always trade with proper risk management.
Smart Money Concept v1Smart Money Concept Indicator – Visual Interpretation Guide
What Happens When Liquidity Lines Are Broken
🟩 Green Line Broken (Buy-Side Liquidity Pool Swept)
- Indicates price has dipped below a previous swing low where sell stops are likely placed.
- Market Makers may be triggering these stops to accumulate long positions.
- Often followed by a bullish reversal.
- Trader Actions:
• Look for a bullish candle close after the sweep.
• Confirm with nearby Bullish Order Block or Fair Value Gap.
• Consider entering a Buy trade (SLH entry).
- If price continues falling: Indicates trend continuation and invalidation of the buy-side liquidity zone.
🟥 Red Line Broken (Sell-Side Liquidity Pool Swept)
- Indicates price has moved above a previous swing high where buy stops are likely placed.
- Market Makers may be triggering these stops to accumulate short positions.
- Often followed by a bearish reversal.
- Trader Actions:
• Look for a bearish candle close after the sweep.
• Confirm with nearby Bearish Order Block or Fair Value Gap.
• Consider entering a Sell trade (SLH entry).
- If price continues rising: Indicates trend continuation and invalidation of the sell-side liquidity zone.
Chart-Based Interpretation of Green Line Breaks
In the provided DOGE/USD 15-minute chart image:
- Green lines represent buy-side liquidity zones.
- If these lines are broken:
• It may be a stop hunt before a bullish continuation.
• Or a false Break of Structure (BOS) leading to deeper retracement.
- Confirmation is needed from candle structure and nearby OB/FVG zones.
Is the Pink Zone a Valid Bullish Order Block?
To validate the pink zone as a Bullish OB:
- It should be formed by a strong down-close candle followed by a bullish move.
- Price should have rallied from this zone previously.
- If price is now retesting it and showing bullish reaction, it confirms validity.
- If formed during low volume or price never rallied from it, it may not be valid.
Smart Money Concept - Liquidity Line Breaks Explained
This document explains how traders should interpret the breaking of green (buy-side) and red (sell-side) liquidity lines when using the Smart Money Concept indicator. These lines represent key liquidity pools where stop orders are likely placed.
🟩 Green Line Broken (Buy-Side Liquidity Pool Swept)
When the green line is broken, it indicates:
• - Price has dipped below a previous swing low where sell stops were likely placed.
• - Market Makers have triggered those stops to accumulate long positions.
• - This is often followed by a bullish reversal.
Trader Actions:
• - Look for a bullish candle close after the sweep.
• - Confirm with a nearby Bullish Order Block or Fair Value Gap.
• - Consider entering a Buy trade (SLH entry).
🟥 Red Line Broken (Sell-Side Liquidity Pool Swept)
When the red line is broken, it indicates:
• - Price has moved above a previous swing high where buy stops were likely placed.
• - Market Makers have triggered those stops to accumulate short positions.
• - This is often followed by a bearish reversal.
Trader Actions:
• - Look for a bearish candle close after the sweep.
• - Confirm with a nearby Bearish Order Block or Fair Value Gap.
• - Consider entering a Sell trade (SLH entry).
📌 Additional Notes
• - If price continues beyond the liquidity line without reversal, it may indicate a trend continuation rather than a stop hunt.
• - Always confirm with Higher Time Frame bias, Institutional Order Flow, and price reaction at the zone.
NSE/FT/INTRADAYIt combines technical indicators and momentum signals to capture quick price movements while managing risk effectively. The strategy emphasizes fast execution, strict stop-loss placement, and disciplined profit booking, making it suitable for traders who prefer multiple trades within the same day rather than holding overnight positions.
EMA 9/21 Crossover + EMA 50 [AhmetAKSOY]EMA 9/21 Crossover + EMA 50
This indicator is designed for traders who want to capture short- and medium-term trend reversals using EMA 9 – EMA 21 crossovers. In addition, a customizable EMA 50 is included as a trend filter for broader market direction.
📌 Features
EMA 9 & EMA 21:
Generate buy/sell signals based on their crossovers.
Customizable EMA 50:
Helps identify the overall trend. Users can adjust both period and color.
BUY / SELL Arrows:
A BUY signal is plotted when EMA 9 crosses above EMA 21,
and a SELL signal when EMA 9 crosses below EMA 21
🔎 How to Use
Trend Following:
Buy signals above EMA 50 are generally considered stronger.
Short-Term Trading:
Focus only on EMA 9/21 crossovers.
Filtering:
Use EMA 50 as a trend filter depending on your strategy.
⚠️ Disclaimer
This indicator is not financial advice. It should not be used alone for buy/sell decisions. Always combine it with other technical tools and apply proper risk management.
SPX Year-End 2025 Targets by AnalystsJust year end analyst targets for SPX as of 02 October 2025, as answered by Grok
Sentiment Navigator|SuperFundedSentiment Navigator — Momentum × Volatility Heatmap
What it is
Sentiment Navigator blends momentum (RSI) with volatility (ATR normalized by price) to visualize market psychology using a background heatmap and a lower oscillator.
・Background: quick read of the market’s “temperature” → Extreme Greed / Greed / Neutral / Fear / Extreme Fear.
・Oscillator: a bounded sentiment score from -100 to +100 showing bias strength and potential extremes.
Why this is not a simple mashup
Instead of showing RSI and ATR separately, this tool integrates them into a single, weighted score and a state machine:
・Context-aware weighting: When volatility is high (ATR vs its SMA baseline), the score is amplified, reflecting that momentum matters more in turbulent regimes.
・Unified states: RSI thresholds classify regimes (Greed/Fear) and are conditioned by volatility to promote Extreme states only when justified.
・Actionable cues: Reversal labels appear at the extreme levels with candle confirmation to reduce noise.
How it works (concise)
1. Momentum: RSI(len) (default 21).
2. Volatility: ATR(len)/close*100 (default ATR=14), smoothed by SMA(volSmaLen) and compared using volMultiplier.
3. Sentiment score: transform RSI to (-100..+100) via (RSI-50)*2, then amplify ×1.5 when high volatility. Finally clamp to .
4. States:
・RSI > greedLevel → Greed (upgraded to Extreme Greed if high vol)
・RSI < fearLevel → Fear (upgraded to Extreme Fear if high vol)
・else Neutral
5. Plotting:
・Oscillator (area) with 0-line and dotted extreme bands.
・Background color by state (greens for Greed, reds for Fear, gray for Neutral).
6. Signals (optional):
・Buy: crossover(score, -extremeGreedLevel) and close > open → prints ▲ at -extremeGreedLevel
・Sell: crossunder(score, extremeGreedLevel) and close < open → prints ▼ at +extremeGreedLevel
Parameters (UI mapping)
Core
・RSI Length (rsiLen)
・ATR Length (atrLen)
・Volatility SMA Length (volSmaLen)
・High-Vol Multiplier (volMultiplier)
State thresholds
・Extreme Greed (extremeGreedLevel)
・Greed (greedLevel)
・Fear (fearLevel)
・Extreme Fear (extremeFearLevel)
Display
・Show Background (showBgColor)
・Show Reversal Signals (showSignals)
Practical usage
・Regime read: Treat greens as risk-on bias, reds as risk-off, gray as indecision.
・Entries: Use ▲/▼ as triggers, not commands—wait for price action (wicks/engulfings) at structure.
・Extreme management: At Extreme states, favor mean-reversion tactics; in plain Greed/Fear with low vol, trends may persist longer.
・Tuning:
・Raise greedLevel/fearLevel to reduce signals.
・Increase volMultiplier to demand stronger vol for “Extreme” states.
Repainting & confirmation
Signals rely on cross events of the oscillator; judge on bar close for stricter rules. Background/state can change intrabar as RSI/ATR evolve.
Disclaimer
No indicator guarantees outcomes. News/liquidity can override signals. Trade responsibly with proper risk controls.
SuperFunded invite-only
To obtain access, please DM me on TradingView or use the link in my profile.
Sentiment Navigator — クイックガイド(日本語)
概要
本インジは RSI(モメンタム) と ATR/価格(ボラティリティ) を統合し、背景のヒートマップと下部オシレーターで市場心理を可視化します。
・背景色:極度の強欲 / 強欲 / 中立 / 恐怖 / 極度の恐怖 を直感表示。
・オシレーター:-100〜+100 のスコアでバイアスの強さと過熱を示します。
独自性・新規性
・高ボラ状態ではスコアを増幅し、同じRSIでも環境次第で体感インパクトを反映。
・RSIしきい値×ボラで極端ゾーンの発生を制御し、意義のあるExtremeのみ点灯。
・反転ラベルは極端レベルのクロス+ローソク条件で点灯し、ノイズを抑制。
仕組み(要点)
1. RSI を算出。
2. ATR/close*100 を SMA と比較し、しきい値倍率で高ボラを判定。
3. score = (RSI-50)*2 を 高ボラで×1.5、 にクランプ。
4. 状態:RSI>Greed → Greed/Extreme Greed、RSI
JLine RZ+|SuperFundedJLINE with Resistance Zone+ — Quick Guide
What it is
This indicator generalizes the classic “JLINE” concept by letting you choose the MA type (SMA / EMA / WMA) and by converting mixed-order phases—when the fast/mid/slow MAs temporarily overlap—into forward-projected horizontal zones. It also shows a status label (current timeframe) and an optional higher-timeframe (HTF) status so you can align entries with broader trend context.
Why this is not a simple mashup
・Structure first: Instead of merely plotting MAs, the script detects mixed-order windows and tracks the max/min envelope formed by the 3 MAs during the overlap, then freezes and extends that range to the right as tradable zones (dynamic S/R derived from regime transitions).
・Context layering: You get a clear “Bullish/Bearish Perfect Order vs Mixed Zone” state, a color-coded MA band, and forward zones that persist beyond the regime change. This provides a workflow (identify structure → watch reactions at projected zones → confirm with status).
・Top-down alignment: The HTF status overlay makes it easy to avoid counter-trend trades or, if you prefer, time mean-reversion only when the current timeframe’s mixed zones line up with HTF conditions.
How it works (concise)
1. Compute fast/mid/slow MAs using your selected type (SMA/EMA/WMA).
2. Define states: Bullish Perfect Order (fast > mid > slow), Bearish Perfect Order (fast < mid < slow), or Mixed Zone (neither).
3. While Mixed, maintain an envelope using the highest/lowest of the three MAs. When the regime exits Mixed, save that envelope as a horizontal box and extend it into the future (older boxes auto-delete to keep the chart clean).
4. Paint an MA band between fast & slow with state-aware shading.
5. Show a corner label with the current state; optionally add the HTF state via request.security.
Parameters (UI mapping)
1. Moving Average Settings
・MA Type: SMA / EMA / WMA.
・Fast/Middle/Slow Period: Default 20/100/200, editable.
・Paint MA Band: Toggle the band fill between fast and slow MA.
2. Resistance Zone Settings
・Show Resistance Zone: Draw horizontal zones from mixed-order windows and extend to the right.
・Max Number of Zones: Cap the count; oldest zones are removed automatically.
・Zone Color: Set zone color/opacity.
3. Status Display Settings
・Show Status Label: On-chart label showing the current state.
・Label Position: Top/Bottom × Left/Right.
4. Multi-Timeframe Settings
・Show Higher Timeframe Status: Display the HTF state in the label.
・Higher Timeframe: Select the HTF (empty = disabled).
Practical usage
・Plan around zones: Treat zones as potential support/resistance derived from regime transitions. Observe how price reacts when it revisits/enters a zone.
・Align with trend: Prefer entries with the PO state (e.g., longs in Bullish PO) and use HTF status to filter. Mean-reversion is still possible, but require clear reaction (wick rejections, engulfings) at a zone.
・Manage clutter: If charts get busy, increase timeframe or lower “Max Number of Zones.”
・Risk first: SL beyond the opposite side of the zone; TPs can target adjacent zones or fixed R-multiples.
Notes & limitations
・Zones reflect MA-structure (mixed) envelopes, not price consolidations per se; they are structural guides, not guarantees.
・HTF readouts rely on request.security and your chosen timeframe; data quality and timing follow TradingView constraints.
Disclaimer
This tool suggests potential reaction areas; it cannot ensure outcomes. Volatility, news and liquidity conditions may invalidate any setup. Use appropriate position sizing and only risk capital you can afford to lose.
SuperFunded invite-only
To obtain access, please contact me via TradingView DM or the link in my profile.
JLINE with Resistance Zone (Advanced) — クイックガイド(日本語)
概要
本インジは、任意のMAタイプ(SMA / EMA / WMA)で高速・中速・低速の3本を描画し、順序が混在する期間(Mixed)で形成された3MAの最大値/最小値の包絡を水平ゾーンとして将来に延長して表示します。さらに、現在の状態ラベルと、任意で上位時間足(HTF)の状態も重ねて表示できます。
新規性(単なる寄せ集めではない点)
・構造を先に特定:MAを出すだけでなく、混在期間を検出→その間の3MA包絡を凍結して水平帯に変換→右に延長。レジーム転換由来のS/Rを作ります。
・文脈レイヤー:Bullish/BearishのパーフェクトオーダーとMixedを明示、MAバンドと将来に残るゾーンで、構造→反応→確認の手順が取りやすい構成。
・トップダウン整合:HTF状態をラベルに併記して、逆行を避けたり、逆張りでも根拠を強めたりできます。
使い方のヒント
ゾーン中心で計画:ゾーンはレジーム転換に基づく潜在的S/R。再訪時のローソク足の反応(ピンバー、包み足など)を確認してからエントリー。
トレンド整合:可能ならPO方向に合わせる。逆張りは明確な反応が条件。
視認性:時間軸を上げるか Max Number of Zones を下げて整理。
リスク管理:損切りは帯の反対側、利確は隣接ゾーンやR倍数で。
免責
ゾーンは反発を保証しません。ニュース・流動性の急変で機能しない場合があります。資金管理の徹底と自己責任でのご利用をお願いします。
SuperFunded招待専用スクリプト
このスクリプトはSuperFundedの参加者専用です。
VWAP / ORB / VP & POCThis is an all-in-one technical analysis tool designed to give you a comprehensive view of the market on a single chart. It combines three powerful indicators—VWAP, Opening Range, and Volume Profile—to help you identify key price levels, understand intraday trends, and spot areas of high liquidity.
What It Does
The indicator plots three distinct components on your chart:
Volume-Weighted Average Price (VWAP): A benchmark that shows the average price a security has traded at throughout the day, based on both price and volume. It's often used by institutional traders to gauge whether they are getting a good price. The script also plots standard deviation or percentage-based bands around the VWAP line, which can act as dynamic support and resistance.
Opening Range Breakout (ORB): A tool that highlights the high and low of the initial trading period of a session (e.g., the first 15 minutes). The script draws lines for the opening price, range high, and range low for the rest of the session. It also colors the chart with zones to visually separate price action above, below, and within this critical opening range.
Volume Profile (VP): A powerful study that shows trading activity over a set number of bars at specific price levels. Unlike traditional volume that is plotted over time, this is plotted on the price axis. It helps you instantly see where the most and least trading has occurred, identifying significant levels like the Point of Control (POC)—the single price with the most volume—and the Value Area (VA), where the majority of trading took place.
How to Use It for Trading
The real strength of this indicator comes from finding confluence, where two or more of its components signal the same key level.
Identifying Support & Resistance: The POC, VWAP bands, Opening Range high/low, and session open price are all powerful levels to watch. When price approaches one of these levels, you can anticipate a potential reaction (a bounce or a breakout).
Gauging Intraday Trend: A simple rule of thumb is to consider the intraday trend bullish when the price is trading above the VWAP and bearish when it is trading below the VWAP.
Finding High-Value Zones: The Volume Profile’s Value Area (VA) shows you where the market has accepted a price. Trading within the VA is considered "fair value," while prices outside of it are "unfair." Reversals often happen when the price tries to re-enter the Value Area from the outside.
Settings:
Here’s a breakdown of all the settings you can change to customize the indicator to your liking.
Volume Profile Settings:
Number of Bars: How many of the most recent bars to use for the calculation. A higher number gives a broader profile.
Row Size: The number of price levels (rows) in the profile. Higher numbers give a more detailed, granular view.
Value Area Volume %: The percentage of total volume to include in the Value Area (standard is 70%).
Horizontal Offset: Moves the Volume Profile further to the right to avoid overlapping with recent price action.
Colors & Styles: Customize the colors for the POC line, Value Area, and the up/down volume bars.
VWAP Settings:
Anchor Period: Resets the VWAP calculation at the start of a new Session, Week, Month, Year, etc. You can even anchor it to corporate events like Earnings or Splits.
Source: The price source used in the calculation (default is hlc3, the average of the high, low, and close).
Bands Calculation Mode:
Standard Deviation: The bands are based on statistical volatility.
Percentage: The bands are a fixed percentage away from the VWAP line.
Bands Multiplier: Sets the distance of the bands from the VWAP. You can enable and configure up to three sets of bands.
ORB Settings (Opening Range)
Opening Range Timeframe: The duration of the opening range (e.g., 15 for 15 minutes, 60 for the first hour).
Market Session & Time Zone: Crucial for ensuring the range is calculated at the correct time for the asset you're trading.
Line & Zone Styles: Full customization for the colors, thickness, and style (Solid, Dashed, Dotted) of the High, Low, and Opening Price lines, as well as the background colors for the zones above, below, and within the range.
ES with SPX/SPY Price ScaleThis shows corresponding price levels of SPY and SPX on an ES Chart. It does not draw a full price scale, but draws labels for SPY and SPX price levels on an ES chart which will allow the use to get a sense of what SPY and SPX candles OHLC values might have been just by looking at ES futures candles.
Total Points Moved by exp3rtsThis lightweight utility tracks the total intraday range of price movement, giving you real-time insight into market activity.
It calculates:
🟩 Bullish Points – Total range from bullish candles (close > open)
🟥 Bearish Points – Total range from bearish candles (close < open)
🔁 Total Points Moved (TPM) – Sum of all high–low ranges for the day
Values are pulled from the 1-second chart for high precision and displayed in a compact tag in the top-right corner.
Liquidity Sweep ReversalThe Liquidity Sweep Reversal indicator is a sophisticated price-action-based tool designed for TradingView that identifies high-probability reversal setups by combining institutional liquidity concepts with session-based market structure. It detects potential reversals after price "sweeps" key support/resistance levels—such as prior day/week highs and lows or session extremes (Asian, London, New York)—followed by a rejection pattern.
The core logic revolves around two main signal types:
CISD (Close Inside, Sweep, Divergence) patterns that confirm liquidity grabs on higher timeframes.
Engulfing candlestick reversals occurring shortly after a touch of a key level within a defined lookback window.
To enhance relevance and reduce noise, the indicator optionally restricts signals to high-volatility “Killzone” sessions—including Asian, London, and New York AM/PM overlap periods—where institutional activity is typically concentrated.
Users can fully customize:
Timezone and higher timeframe (HTF) settings
Which key levels to monitor (PDH, PDL, PWH, PWL, session highs/lows)
Visual styling (line types, colors, labels)
Signal sensitivity (max bars after touch, signal size)
Display options (background highlights, level visibility, historical signal filtering)
Additionally, the script draws vertical lines for today’s and tomorrow’s London (08:00 CET) and New York (09:30 EST) market opens to provide contextual reference.
This tool is ideal for traders using auction market theory, order flow, or institutional footprint strategies who seek confluence between liquidity pools, session structure, and price rejection.
EQ + Bandas Pro 📊 EQ + Bands Pro is an advanced indicator built on OHLC analysis. It calculates a synthetic equilibrium price and plots dynamic, robust bands that adapt to volatility while filtering outliers. The tool highlights zones of overvaluation and undervaluation, helping traders identify key imbalances, potential reversals, and trend confirmations.
SANGAM ENTRYThis setup is highly effective in helping traders catch entries before a major move begins. When all the LINES converge and merge together, it signals an opportunity to take buy or sell entries with low risk and high reward. It serves as one of the best confirmations for both trend continuation and breakout trades. Many traders can benefit from this approach, as it is absolutely simple, practical, and easy to manage when planning their entries.
ICT Suspension Block [tncylyv]ICT Suspension Block
Overview
This indicator identifies and highlights the "ICT Suspension Block," a specific three-candle pattern that signifies a potential area of support or resistance. It is designed to find temporary pauses or "suspensions" in price delivery, creating zones where the market may later return.
This tool is highly customizable, allowing you to focus on specific market conditions, sessions, and biases.
What is an ICT Suspension Block?
The Suspension Block is a nuanced 3-bar pattern that captures a very specific type of price action imbalance. Unlike a standard Fair Value Gap (FVG), it does not require a literal price gap. Instead, it's defined by the relationship between the opens and closes of three consecutive candles, all moving in the same direction.
• Bullish Suspension Block (+ SB) Conditions:
1. All three candles in the pattern must be bullish (close > open).
2. The close of the first candle must be below the open of the second candle.
3. The close of the second candle must be below the open of the third candle.
The resulting zone is drawn from the close of the first candle to the open of the third candle.
• Bearish Suspension Block (- SB) Conditions:
1. All three candles in the pattern must be bearish (close < open).
2. The close of the first candle must be above the open of the second candle.
3. The close of the second candle must be above the open of the third candle.
The resulting zone is drawn from the close of the first candle to the open of the third candle.
How to Use It
Suspension Blocks can be powerful tools when integrated into a broader trading strategy. They represent areas where price moved aggressively, leaving behind an inefficiently traded zone that the market may need to revisit.
• Potential Support & Resistance: A Bullish Suspension Block can act as a potential support level on a retest. Conversely, a Bearish Suspension Block can act as potential resistance.
• Entry Confluence: Look for price to retrace into a previously formed Suspension Block. The zone can provide a high-probability area to look for entries, especially when combined with other confluences like order blocks, breaker blocks, or higher timeframe market structure.
• Context is Key: The validity of a Suspension Block often depends on the market context. A block formed during a strong, impulsive move is typically more significant than one formed during choppy, consolidative price action.
Features & Settings
This indicator is designed to be flexible and adapt to your specific trading style.
• Show Blocks:
o Both: Display both Bullish and Bearish blocks.
o Bullish Only: Focus exclusively on potential support zones. Ideal for an uptrending market or when you have a bullish bias.
o Bearish Only: Focus exclusively on potential resistance zones. Ideal for a downtrending market or when you have a bearish bias.
• Max # of Blocks to Show:
o Avoid chart clutter by only displaying the most recent N blocks. This ensures you are always focused on the latest and most relevant zones.
• Time Filter (RTH Session):
o Enable Only Detect Inside RTH? to filter out patterns that form in low-volume, after-hours sessions. This helps ensure the zones you see were created during periods of significant market participation.
o The RTH session times and timezone are fully customizable.
• Customization:
o Adjust the colors for Bullish and Bearish blocks to match your chart's theme.
o Modify the text size of the + SB and - SB labels for better visibility.
________________________________________
Disclaimer: This indicator is a tool for market analysis and should not be used as a standalone trading signal. Always use proper risk management and combine this tool with your own comprehensive trading strategy. Past performance is not indicative of future results.
ICT Venom Trading Model [TradingFinder] SMC NY Session 2025SetupIntroduction
The ICT Venom Model is one of the most advanced strategies in the ICT framework, designed for intraday trading on major US indices such as US100, US30, and US500. This model is rooted in liquidity theory, time and price dynamics, and institutional order flow.
The Venom Model focuses on detecting Liquidity Sweeps, identifying Fair Value Gaps (FVG), and analyzing Market Structure Shifts (MSS). By combining these ICT core concepts, traders can filter false breakouts, capture sharp reversals, and align their entries with the real institutional liquidity flow during the New York Session.
Key Highlights of ICT Venom Model :
Intraday focus : Optimized for US indices (US100, US30, US500).
Time element : Critical window is 08:00–09:30 AM (Venom Box).
Liquidity sweep logic : Price grabs liquidity at 09:30 AM open.
Confirmation tools : MSS, CISD, FVG, and Order Blocks.
Dual setups : Works in both Bullish Venom and Bearish Venom conditions.
At its core, the ICT Venom Strategy is a framework that explains how institutional players manipulate liquidity pools by engineering false breakouts around the initial range of the market. Between 08:00 and 09:30 AM New York time, a range called the “Venom Box” is formed.
This range acts as a trap for retail traders, and once the 09:30 AM market open occurs, price usually sweeps either the high or the low of this box to collect stop-loss liquidity. After this liquidity grab, the market often reverses sharply, giving birth to a classic Bullish Venom Setup or Bearish Venom Setup
The Venom Model (ICT Venom Trading Strategy) is not just a pattern recognition tool but a precise institutional trading model based on time, liquidity, and market structure. By understanding the Initial Balance Range, watching for Liquidity Sweeps, and entering trades from FVG zones or Order Blocks, traders can anticipate market reversals with high accuracy. This strategy is widely respected among ICT followers because it offers both risk management discipline and clear entry/exit conditions. In short, the Venom Model transforms liquidity manipulation into actionable trading opportunities.
Bullish Setup :
Bearish Setup :
🔵 How to Use
The ICT Venom Model is applied by observing price behavior during the early hours of the New York session. The first step is to define the Initial Range, also called the Venom Box, which is formed between 08:00 and 09:30 AM EST. This range marks the high and low points where institutional traders often create traps for retail participants. Once the official market opens at 09:30 AM, price usually sweeps either the top or bottom of this box to collect liquidity.
After this liquidity grab, the market tends to reverse in alignment with the true directional bias. To confirm the setup, traders look for signals such as a Market Structure Shift (MSS), Change in State of Delivery (CISD), or the appearance of a Fair Value Gap (FVG). These elements validate the reversal and provide precise levels for trade execution.
🟣 Bullish Setup
In a Bullish Venom Setup, the market first sweeps the low of the Venom Box after 09:30 AM, triggering sell-side liquidity collection. This downward move is often sharp and deceptive, designed to stop out retail long positions and attract new sellers. Once liquidity is taken, the market typically shifts direction, forming an MSS or CISD that signals a reversal to the upside.
Traders then wait for price to retrace into a Fair Value Gap or a demand-side Order Block created during the reversal leg. This retracement offers the ideal entry point for long positions. Stop-loss placement should be just below the liquidity sweep low, while profit targets are set at the Venom Box high and, if momentum continues, at higher session or daily highs.
🟣 Bearish Setup
In a Bearish Venom Setup, the process is similar but reversed. After the Initial Range is defined, if price breaks above the Venom Box high following the 09:30 AM open, it signals a false breakout designed to collect buy-side liquidity. This move usually traps eager buyers and clears out stop-losses above the high.
After the liquidity sweep, confirmation comes through an MSS or CISD pointing to a reversal downward. At this stage, traders anticipate a retracement into a Fair Value Gap or a supply-side Order Block formed during the reversal. Short entries are taken within this zone, with stop-loss positioned just above the liquidity sweep high. The logical profit targets include the Venom Box low and, in stronger bearish momentum, deeper session or daily lows.
🔵 Settings
Refine Order Block : Enables finer adjustments to Order Block levels for more accurate price responses.
Mitigation Level OB : Allows users to set specific reaction points within an Order Block, including: Proximal: Closest level to the current price. 50% OB: Midpoint of the Order Block. Distal: Farthest level from the current price.
FVG Filter : The Judas Swing indicator includes a filter for Fair Value Gap (FVG), allowing different filtering based on FVG width: FVG Filter Type: Can be set to "Very Aggressive," "Aggressive," "Defensive," or "Very Defensive." Higher defensiveness narrows the FVG width, focusing on narrower gaps.
Mitigation Level FVG : Like the Order Block, you can set price reaction levels for FVG with options such as Proximal, 50% OB, and Distal.
CISD : The Bar Back Check option enables traders to specify the number of past candles checked for identifying the CISD Level, enhancing CISD Level accuracy on the chart.
🔵 Conclusion
The ICT Venom Model is more than just a reversal setup; it is a complete intraday trading framework that blends liquidity theory, time precision, and market structure analysis. By focusing on the Initial Range between 08:00 and 09:30 AM New York time and observing how price reacts at the 09:30 AM open, traders can identify liquidity sweeps that reveal institutional intentions.
Whether in a Bullish Venom Setup or a Bearish Venom Setup, the model allows for precise entries through Fair Value Gaps (FVGs) and Order Blocks, while maintaining clear risk management with well-defined stop-loss and target levels.
Ultimately, the ICT Venom Model provides traders with a structured way to filter false moves and align their trades with institutional order flow. Its strength lies in transforming liquidity manipulation into actionable opportunities, giving intraday traders an edge in timing, accuracy, and consistency. For those who master its logic, the Venom Model becomes not only a strategy for entry and exit, but also a deeper framework for understanding how liquidity truly drives price in the New York session.