My script//@version=5
indicator("LTF Multi-Condition BUY Signal (v5 clean)", overlay=true, max_labels_count=100, max_lines_count=100)
// ───────────────── INPUTS ─────────────────
pivot_len = input.int(4, "Pivot sensitivity (structure)", minval=2, maxval=12)
range_len = input.int(20, "Range lookback for breakout", minval=5)
htf_tf = input.timeframe("480", "HTF timeframe (8H+)")
reclaim_window = input.int(5, "Reclaim window (bars)", minval=1)
ema_fast_len = input.int(9, "EMA fast length")
ema_slow_len = input.int(21, "EMA slow length")
rsi_len = input.int(14, "RSI length")
rsi_pivot_len = input.int(4, "RSI pivot sensitivity")
rsi_div_lookback = input.int(30, "RSI divergence max lookback (bars)")
daily_vol_mult = input.float(1.0, "Daily volume vs SMA multiplier", step=0.1)
htf_vol_sma_len = input.int(20, "HTF volume SMA length")
require_reclaim = input.bool(true, "Require HTF reclaim")
use_aggressive_HL = input.bool(false, "Aggressive HL detection")
// ───────────────── BASE INDICATORS ─────────────────
emaFast = ta.ema(close, ema_fast_len)
emaSlow = ta.ema(close, ema_slow_len)
rsiVal = ta.rsi(close, rsi_len)
// ───────────────── DAILY CHECKS (VOLUME & OBV) ─────────────────
// Daily OBV and previous value
daily_obv = request.security(syminfo.tickerid, "D",
ta.cum(ta.change(close) > 0 ? volume : ta.change(close) < 0 ? -volume : 0))
daily_obv_prev = request.security(syminfo.tickerid, "D",
ta.cum(ta.change(close) > 0 ? volume : ta.change(close) < 0 ? -volume : 0) )
// Daily volume & SMA
daily_vol = request.security(syminfo.tickerid, "D", volume)
daily_vol_sma = request.security(syminfo.tickerid, "D", ta.sma(volume, 20))
daily_vol_ok = not na(daily_vol) and not na(daily_vol_sma) and daily_vol > daily_vol_sma * daily_vol_mult
daily_obv_ok = not na(daily_obv) and not na(daily_obv_prev) and daily_obv > daily_obv_prev
// ───────────────── HTF SUPPORT / RECLAIM ─────────────────
htf_high = request.security(syminfo.tickerid, htf_tf, high)
htf_low = request.security(syminfo.tickerid, htf_tf, low)
htf_close = request.security(syminfo.tickerid, htf_tf, close)
htf_volume = request.security(syminfo.tickerid, htf_tf, volume)
htf_vol_sma = request.security(syminfo.tickerid, htf_tf, ta.sma(volume, htf_vol_sma_len))
htf_bull_reject = not na(htf_high) and not na(htf_low) and not na(htf_close) and (htf_close - htf_low) > (htf_high - htf_close)
htf_vol_confirm = not na(htf_volume) and not na(htf_vol_sma) and htf_volume > htf_vol_sma
htf_support_level = (htf_bull_reject and htf_vol_confirm) ? htf_low : na
// Reclaim: LTF close back above HTF support within N bars
reclaimed_now = not na(htf_support_level) and close > htf_support_level and ta.barssince(close <= htf_support_level) <= reclaim_window
htf_reclaim_ok = require_reclaim ? reclaimed_now : true
// ───────────────── STRUCTURE: BOS & HL (CoC) ─────────────────
swingHighVal = ta.pivothigh(high, pivot_len, pivot_len)
swingLowVal = ta.pivotlow(low, pivot_len, pivot_len)
swingHighCond = not na(swingHighVal)
swingLowCond = not na(swingLowVal)
lastSwingHigh = ta.valuewhen(swingHighCond, swingHighVal, 0)
prevSwingHigh = ta.valuewhen(swingHighCond, swingHighVal, 1)
lastSwingLow = ta.valuewhen(swingLowCond, swingLowVal, 0)
prevSwingLow = ta.valuewhen(swingLowCond, swingLowVal, 1)
bos_bull = not na(prevSwingHigh) and close > prevSwingHigh
hl_confirm = not na(lastSwingLow) and not na(prevSwingLow) and lastSwingLow > prevSwingLow and ta.barssince(swingLowCond) <= 30
if use_aggressive_HL
hl_confirm := hl_confirm or (low > low and ta.barssince(swingLowCond) <= 12)
// ───────────────── RSI BULLISH DIVERGENCE ─────────────────
rsiLowVal = ta.pivotlow(rsiVal, rsi_pivot_len, rsi_pivot_len)
rsiLowCond = not na(rsiLowVal)
priceAtRsiLowA = ta.valuewhen(rsiLowCond, low , 0)
priceAtRsiLowB = ta.valuewhen(rsiLowCond, low , 1)
rsiLowA = ta.valuewhen(rsiLowCond, rsiVal , 0)
rsiLowB = ta.valuewhen(rsiLowCond, rsiVal , 1)
rsi_div_ok = not na(priceAtRsiLowA) and not na(priceAtRsiLowB) and not na(rsiLowA) and not na(rsiLowB) and
(priceAtRsiLowA < priceAtRsiLowB) and (rsiLowA > rsiLowB) and ta.barssince(rsiLowCond) <= rsi_div_lookback
// ───────────────── RANGE BREAKOUT ─────────────────
range_high = ta.highest(high, range_len)
range_breakout = ta.crossover(close, range_high)
// ───────────────── EMA CROSS / TREND ─────────────────
ema_cross_happened = ta.crossover(emaFast, emaSlow)
ema_trend_ok = emaFast > emaSlow
// ───────────────── FINAL BUY CONDITION ─────────────────
all_price_checks = bos_bull and hl_confirm and rsi_div_ok and range_breakout
all_filter_checks = ema_trend_ok and ema_cross_happened and daily_vol_ok and daily_obv_ok and htf_reclaim_ok
buy_condition = all_price_checks and all_filter_checks
// ───────────────── PLOTS & ALERT ─────────────────
plotshape(
buy_condition,
title = "BUY Signal",
location = location.belowbar,
style = shape.labelup,
text = "BUY",
textcolor = color.white,
color = color.green,
size = size.small)
plot(htf_support_level, title="HTF Support", color=color.new(color.green, 0), linewidth=2, style=plot.style_linebr)
alertcondition(buy_condition, title="LTF BUY Signal", message="LTF BUY Signal on {{ticker}} ({{interval}}) — all conditions met")
Indikator dan strategi
an_dy_time_marker+killzone+sessionAn indicator where you can configure 5 different trading times. You can also view the kill zone and the entire session.
Have fun and catch the pips!
Regime [CHE] Regime — Minimal HTF MACD histogram regime marker with a simple rising versus falling state.
Summary
Regime is a lightweight overlay that turns a higher-timeframe-style MACD histogram condition into a simple regime marker on your chart. It queries an imported core module to determine whether the histogram is rising and then paints a consistent marker color based on that boolean state. The output is intentionally minimal: no lines, no panels, no extra smoothing visuals, just a repeated marker that reflects the current regime. This makes it useful as a quick context filter for other signals rather than a standalone system.
Motivation: Why this design?
A common problem in discretionary and systematic workflows is clutter and over-interpretation. Many regime tools draw multiple plots, which can distract from price structure. This script reduces the regime idea to one stable question: is the MACD histogram rising under a given preset and smoothing length. The core logic is delegated to a shared module to keep the indicator thin and consistent across scripts that rely on the same definition.
What’s different vs. standard approaches?
Reference baseline: A standard MACD histogram plotted in a separate pane with manual interpretation.
Architecture differences:
Uses a shared library call for the regime decision, rather than re-implementing MACD logic locally.
Uses a single boolean output to drive marker color, rather than plotting histogram bars.
Uses fixed marker placement at the bottom of the chart for consistent visibility.
Practical effect:
You get a persistent “context layer” on price without dedicating a separate pane or reading histogram amplitude. The chart shows state, not magnitude.
How it works (technical)
1. The script imports `chervolino/CoreMACDHTF/2` and calls `core.is_hist_rising()` on each bar.
2. Inputs provide the source series, a preset string for MACD-style parameters, and a smoothing length used by the library function.
3. The library returns a boolean `rising` that represents whether the histogram is rising according to the library’s internal definition.
4. The script maps that boolean to a color: yellow when rising, blue otherwise.
5. A circle marker is plotted on every bar at the bottom of the chart, colored by the current regime state. Only the most recent five hundred bars are displayed to limit visual load.
Notes:
The exact internal calculation details of `core.is_hist_rising()` are not shown in this code. Any higher timeframe mechanics, security usage, or confirmation behavior are determined by the imported library. (Unknown)
Parameter Guide
Source — Selects the price series used by the library call — Default: close — Tips: Use close for consistency; alternate sources may shift regime changes.
Preset — Chooses parameter preset for the library’s MACD-style configuration — Default: 3,10,16 — Trade-offs: Faster presets tend to flip more often; slower presets tend to react later.
Smoothing Length — Controls smoothing used inside the library regime decision — Default: 21 — Bounds: minimum one — Trade-offs: Higher values typically reduce noise but can delay transitions. (Library behavior: Unknown)
Reading & Interpretation
Yellow markers indicate the library considers the histogram to be rising at that bar.
Blue markers indicate the library considers it not rising, which may include falling or flat conditions depending on the library definition. (Unknown)
Because markers repeat on every bar, focus on transitions from one color to the other as regime changes.
This tool is best read as context: it does not express strength, only direction of change as defined by the library.
Practical Workflows & Combinations
Trend following:
Use yellow as a condition to allow long-side entries and blue as a condition to allow short-side entries, then trigger entries with your primary setup such as structure breaks or pullback patterns. (Optional)
Exits and stops:
Consider tightening management after a color transition against your position direction, but do not treat a single flip as an exit signal without price-based confirmation. (Optional)
Multi-asset and multi-timeframe:
Keep `Source` consistent across assets.
Use the slower preset when instruments are noisy, and the faster preset when you need earlier context shifts. The best transferability depends on the imported library’s behavior. (Unknown)
Behavior, Constraints & Performance
Repaint and confirmation:
This script itself uses no forward-looking indexing and no explicit closed-bar gating. It evaluates on every bar update.
Any repaint or confirmation behavior may come from the imported library. If the library uses higher timeframe data, intrabar updates can change the state until the higher timeframe bar closes. (Unknown)
security and HTF:
Not visible here. The library name suggests HTF behavior, but the implementation is not shown. Treat this as potentially higher-timeframe-driven unless you confirm the library source. (Unknown)
Resources:
No loops, no arrays, no heavy objects. The plotting is one marker series with a five hundred bar display window.
Known limits:
This indicator does not convey histogram magnitude, divergence, or volatility context.
A binary regime can flip in choppy phases depending on preset and smoothing.
Sensible Defaults & Quick Tuning
Starting point:
Source: close
Preset: 3,10,16
Smoothing Length: 21
Tuning recipes:
Too many flips: choose the slower preset and increase smoothing length.
Too sluggish: choose the faster preset and reduce smoothing length.
Regime changes feel misaligned with your entries: keep the preset, switch the source back to close, and tune smoothing length in small steps.
What this indicator is—and isn’t
This is a minimal regime visualization and a context filter. It is not a complete trading system, not a risk model, and not a prediction engine. Use it together with price structure, execution rules, and position management. The regime definition depends on the imported library, so validate it against your market and timeframe before relying on it.
Disclaimer
The content provided, including all code and materials, is strictly for educational and informational purposes only. It is not intended as, and should not be interpreted as, financial advice, a recommendation to buy or sell any financial instrument, or an offer of any financial product or service. All strategies, tools, and examples discussed are provided for illustrative purposes to demonstrate coding techniques and the functionality of Pine Script within a trading context.
Any results from strategies or tools provided are hypothetical, and past performance is not indicative of future results. Trading and investing involve high risk, including the potential loss of principal, and may not be suitable for all individuals. Before making any trading decisions, please consult with a qualified financial professional to understand the risks involved.
By using this script, you acknowledge and agree that any trading decisions are made solely at your discretion and risk.
Do not use this indicator on Heikin-Ashi, Renko, Kagi, Point-and-Figure, or Range charts, as these chart types can produce unrealistic results for signal markers and alerts.
Best regards and happy trading
Chervolino
MACD HTF Hardcoded
Session Markers - JDK AnalysisSession Markers is a tool designed to study how markets behave during specific, recurring time windows. Many traders know that price behaves differently depending on the day of the week, the time of the day, or particular market sessions such as the weekly open, the London session, or the New York open. This indicator makes those recurring windows visible on the chart and then analyzes what price typically does inside them. The result is a clear statistical understanding of how a chosen session behaves, both in direction and in strength.
The script works by allowing the trader to define any time window using a start day and time and an end day and time. Every time this window occurs on the chart, the indicator highlights it with a full-height vertical band. These visual markers reveal patterns that are otherwise difficult to detect manually, such as whether certain sessions tend to trend, reverse, consolidate, or create large imbalances. They also help the trader quickly scan through historical price action to see how the market has behaved under similar conditions.
For every completed session window, the indicator measures how much price changed from the moment the window began to the moment it ended. Instead of using raw price differences, it converts these changes into percentage moves. This makes the measurement consistent across different price ranges and market regimes. A one-percent move always has the same meaning, whether the asset is trading at 100 or 50,000. These percentage moves are collected for a user-selected number of past sessions, creating a dataset of how the market has behaved in the chosen time window.
Based on this dataset, the indicator generates several statistics. It counts how many past sessions closed higher and how many closed lower, producing a directional tendency. It also computes the probability of an upward session by dividing the number of positive sessions by the total. More importantly, it calculates the average percentage movement for all sessions in the lookback period. This average move reflects not just the direction but also the magnitude of price changes. A session with frequent small upward moves but occasional large downward moves will show a negative average movement, even if more sessions ended positive. This creates a more realistic representation of true market behavior.
Using this average movement, the script determines a “Bias” for the session. If the average percentage move is positive, the bias is considered bullish. If it is negative, the bias is bearish. If the values are very close to zero, the bias is neutral. This way, the indicator takes both frequency and impact into account, producing a magnitude-aware assessment instead of one that only counts wins and losses. A sequence such as +5%, –1% results in a bullish bias because the overall impact is strongly positive. On the other hand, a series of small gains followed by a large drop produces a bearish bias even if more sessions ended positive, because the large move dominates the average. This provides a far more truthful picture of what the market tends to do during the chosen window.
All relevant statistics are displayed neatly in a small panel in the top-right corner of the chart. The panel updates in real time as new sessions complete and older ones fall out of the lookback range. It shows how many sessions were analyzed, how many ended up or down, the probability of an upward move, the average percentage change, and the final bias. The background color of the panel instantly reflects that bias, making it easy to interpret at a glance.
To use the tool effectively, the trader simply needs to define a time window of interest. This could be something like the weekly opening window from Sunday to Monday, the London open each day, or even a unique custom window. After selecting how many past sessions to analyze, the indicator takes care of the rest. The vertical session markers reveal the structure visually. The statistics summarize the historical behavior objectively. The magnitude-weighted bias provides a realistic indication of whether the window tends to produce upward or downward movement on average.
Session Markers is helpful because it translates repeated market timing behavior into measurable data. It exposes hidden tendencies that are easy to feel intuitively but hard to quantify manually. By analyzing both direction and magnitude, it prevents misleading interpretations that can arise from looking only at win rates. It helps traders understand whether a session typically produces meaningful moves or just small noise, whether it tends to trend or reverse, and whether its behavior has recently changed. Whether used for bias building, session filtering, or deeper market research, it offers a structured framework for understanding the market through time-based patterns.
Simple SuperTrend & MACD Trend Followトレンドフォローをわかりやすく売買シグナルを出すようにカスタマイズ
📈 SuperTrend-MACD Trend Follow Indicator
This indicator is composed of the following two main components:
SuperTrend: A filter that shows the direction of the long-term trend and a trailing stop level. A green color indicates an uptrend, and a red color indicates a downtrend.
MACD (Moving Average Convergence Divergence): Captures changes in short-term momentum to determine entry and exit timings.
[Yorsh] BJN iFVG Model RC1 BJN iFVG Model - Mechanical Trading System
Description:
The BJN iFVG Model is not just an indicator; it is a full-scale, semi-automated trading architecture designed to mechanically execute the specific "BJN" Inverted FVG strategy.
Designed for precision traders operating on Lower Timeframes (1m to 5m), this script eliminates the cognitive load of manual analysis. It automates every single step of the mechanical model—from Higher Timeframe narrative building to tick-perfect structural validation and risk calculation.
This tool transforms your chart into a professional trading cockpit, split into three intelligent engines:
1. The Matrix (Context Engine)
Before looking for an entry, you must understand the narrative. The Matrix handles the heavy lifting of multi-timeframe analysis without cluttering your chart:
Real-Time Delivery State: Automatically detects if price is reacting from valid HTF PD Arrays (1H, 4H, Daily) to confirm a "Delivery" state.
Liquidity Sweeps: Tracks Fractals across three dimensions (1H, 15m, and Micro-Structure) to identify liquidity raids instantly.
Advanced SMT Divergence: A built-in, multi-mode SMT engine scans for correlation breaks (Pivot SMT, Adjacent Wick SMT, and FVG SMT) between NQ/ES (or custom tickers) in real-time.
Time & Macro Tracking: Automatically visualizes Killzones and highlights high-probability Macro windows.
2. The Executioner (Entry Engine)
Once the context is set, the Executioner handles the specific Inverted FVG (iFVG) entry model with strict mechanical rules:
Structural Integrity: Automatically identifies the Invalidation Point (IP), Floor/Ceiling, and Break-Even levels for every setup.
Hazard Detection: The script proactively scans the "Trading Leg" for opposing unmitigated FVGs (Hazards). If the path isn't clean, the trade is flagged or invalidated.
Composite Logic: Intelligently merges "noisy" price action into Composite FVGs to reduce false signals.
Integrated Position Sizer: When a trade is confirmed, a visual box appears showing your precise Entry, Stop Loss, Hard Stop, and Take Profit levels, along with a calculated Contract Quantity based on your risk tolerance.
3. The Ranking System (Quality Control)
Not all trades are created equal. This system grades every single confirmed setup in real-time based on confluence factors:
Grades: Ranges from A++ (Perfect Confluence) to C (Low Probability).
Confluence Check: Checks for Delivery, Sweeps (HTF/LTF), SMT, and Macro alignment at the exact moment of the trigger.
Live Status Panel: A dashboard on your chart displays the current live trade status (Armed, Triggered, Confirmed) and its Rank, so you never miss a beat.
Optimization & Performance
Trading on the 1-minute timeframe requires speed. This script has been rigorously optimized for high-frequency environments:
Smart Garbage Collection: The script manages its own memory, cleaning up old data arrays to prevent lag, ensuring the chart remains fluid even after days of data accumulation.
Tunnel Vision: Calculations are strictly focused on the relevant trading leg, ignoring historical noise to maximize execution speed.
Zero-Repaint: All historical analysis is strictly non-repainting to ensure backtesting reliability.
How to Use
Timeframes: Optimized for 1m, 2m, 3m, 4m, 5m execution.
Alerts: Configure the robust alert system to notify you only when setups meet your standards (e.g., "Alert only on Rank B+ or higher").
Strategy: Wait for the Status Panel to show a "CONFIRMED" signal. Use the on-screen Position Sizer to execute the trade with the displayed risk parameters.
Stop analyzing; start executing. Welcome to mechanical trading.
----------------------------------------------------------------------------------------------------------------
RISK DISCLAIMER:
The content, tools, and signals generated by this script are strictly for educational and informational purposes only. This script does not constitute financial advice, investment recommendations, or a solicitation to buy or sell any securities, futures, or other financial instruments.
Trading financial markets involves a high degree of risk and is not suitable for all investors. The "Position Sizer" and "Trade Setups" displayed are hypothetical simulations designed to demonstrate the mechanics of the BJN methodology; they do not guarantee future performance.
Use this tool at your own risk. The author assumes no responsibility or liability for any trading losses or damages incurred in connection with the use of this script. Always consult with a qualified financial advisor and practice proper risk management.
X-RAY v5.6 Ai⚡X-RAY v5.6 Ai is a state-of-the-art, non-repainting technical indicator designed to give traders a definitive edge in the market.
It goes beyond conventional oscillators by leveraging a proprietary algorithm that normalizes price momentum against a dynamically calculated volatility range. This allows X-RAY to filter market noise and pinpoint high-probability turning points with exceptional precision.
🧩 Core Methodology
At its core, X-RAY operates through a multi-layered computational engine that performs advanced mathematical and statistical analysis. It doesn’t just track price; it measures the energy of a price move relative to its recent volatility.
This involves:
Complex smoothing functions
Advanced statistical modeling
A real-time adaptive normalized oscillator
The outcome? A powerful tool that uncovers the true strength or weakness of a trend often before it becomes visible on the chart.
⚡ Signal Generation
X-RAY provides three actionable signals for systematic trading. All signals are confirmed at bar close and do not repaint.
🟢 BUY Signal
Generated at the end of a strong downtrend, this signal identifies:
Maximum bearish momentum exhaustion
A potential market capitulation
A high-probability entry for long positions
🎯 TP (Take Profit) Signal
Triggered when bullish momentum peaks, signaling:
The first signs of faltering after an upward move
The optimal zone to secure maximum gains
❌ EXIT Signal
A risk management alert activated when:
Momentum shifts decisively against your position
The trend loses structural integrity
Immediate position closure is required to protect capital
🚀 Optimized Performance & Best Use Cases
Through extensive backtesting, X-RAY proves most effective on the following timeframes:
Cryptocurrency: 15m Chart
Forex: 3h Chart
Gold (XAU/USD): 1m Chart
🧭 Conclusion
X-RAY v5.6 Ai is more than an indicator—it’s a complete analytical framework for traders seeking:
Precision ⚖️
Statistical rigor 📐
Non-repainting logic ⏱️
By focusing on momentum vs. volatility, X-RAY provides a clear and objective roadmap to navigate the markets confidently.
⚠️ Disclaimer:
This indicator is for educational and informational purposes only. It is not investment advice. Past performance is not indicative of future results. Always conduct your own analysis and trade responsibly.
Gap-Up Momentum Screener (S.S)
ENGLISH-VERSION
1) TradingView Gap Screener (for US stocks)
➤ Conditions
Gap-Up ≥ +3% (large gaps indicate institutional pressure)
Pre-market volume ≥ 150% of the 20-day average
RS line > 50
Price > 50 SMA
Market cap ≥ 1 billion USD
No penny stocks
2) Minervini Gap-Entry Strategy (Swing Trading)
This is a variant specifically optimized for gaps + momentum.
A) Setup Criteria
The stock must meet the following conditions:
Gap-Up ≥ +3%
First retracement ≤ 30% of the gap
High relative strength (RS line rising)
Volume on the gap day > 2× average
Price above 20 EMA, 50 SMA, 150 SMA, 200 SMA
No immediate resistance within 2–5%
B) Entry Setups
Entry 1: First Pullback Entry (FPE)
Wait for the first 1–3 day consolidation.
Entry → Breakout of the small range.
Stop → Below the low of the pullback.
Rule: No entry on the gap day itself.
Entry 2: High Tight Flag above the Gap
Stock rises > 10% after the gap
Then forms a 3–8 day sideways phase
Entry → Break above the flag’s high
Stop → Below the flag base
Entry 3: ORB Entry (Opening Range Breakout, 30 minutes)
Very effective for strong gaps.
Wait 30 minutes after the market opens
Entry → Break above the high of these first 30 minutes
Stop → Below the 30-minute low
C) Stop Levels
For FPE: 4–8%
For ORB: 1–2 × ATR(14)
For flags: 3–5%
D) Add Rules
Only if the stock continues showing strong volume:
Add on every new 3–5 day high
Add only above half-range levels
Maximum 3 adds
3) Early-Warning Module (Setup forming but not ready for entry)
This module marks stocks that are forming a setup but are not yet buyable.
➤ Criteria
Gap-Up ≥ 3%
Strong volume
Stock pulls back and consolidates (1–5 bars)
BUT no breakout yet
4) Exact Entry Checklist (Minervini-style, optimized for gaps)
Checklist before entry:
Gap ≥ +3%
20 EMA rising
Volume > 2× average
RS line rising
Price > 50 SMA
Pullback not deeper than 30% of the gap
3+ green signals from the Early-Warning diamonds
If all 7 are fulfilled → green light.
5) How to apply the strategy in daily practice
Morning (08:00–09:00)
Check the screener
Build your watchlist
Identify gaps
US Market Open (15:30)
Monitor the Early-Warning module
Sort gap momentum opportunities
16:00–17:00
Enter: First Pullback / ORB / Flag
Set stops
Determine position size based on risk
After 20:00
Check volume strength
If momentum fades → no more adds
MSS(5m) + HTF(1h) OB & Sweep Strategy (heuristic) v6My first (hopefully) working strategy. Have fun printing guys
Support & Resistance Pro by 🅰🅻🅿Support & Resistance Pro by 🅰🅻🅿
A Multi-Layer Market Structure Engine for Professional Price Analysis
Support & Resistance Pro is a next-generation price structure algorithm designed to identify the most meaningful support and resistance levels across any market or timeframe.
Instead of relying on simple fractals, random pivots, or fixed-distance lines, this script analyzes the way price interacts with historical levels — including wick reactions, close rejections, structural pivots, retests, and liquidity sweeps.
The result is a clean, intelligent, and highly accurate market structure map that adapts to every style of trading.
🚀 Key Features
1. Multi-Layer S/R Engine (Up to 20 Dynamic Levels)
The algorithm computes and ranks up to 20 unique levels , from strongest to weakest.
Each level is scored using:
Structural pivot strength
Number of historical touches
Closeness of each interaction
Market memory & reaction weight
Breakout and retest behavior
This produces an objective hierarchy of price levels — ideal for scalping, day trading, or swing analysis.
2. Smart Strength Filter
To remove noise, the Smart Strength Filter evaluates how often price has interacted with each level and hides the ones that lack significance.
You can customize:
Lookback range
Minimum touch count
Touch tolerance sensitivity
This ensures your chart displays only the most relevant and reliable structural zones for the current environment.
3. Heat Map Intensity Coloring
Levels automatically change opacity based on their strength:
More touches → stronger color
Fewer touches → lighter color
This creates a natural visual heat map that highlights where market memory is strongest — perfect for identifying high-probability breakout or reversal zones.
4. Multi-Timeframe Compatibility
Project higher timeframe S/R onto lower timeframe charts to enhance confluence:
Day traders: render 4H levels on 5m–15m
Swing traders: render 1D levels on 1H
Scalpers: render 1H levels on 1m–3m
This gives you powerful structural awareness without switching charts.
5. Clean Visual Design
Every element has been designed to stay out of your way:
Choose your preferred level count (8–20)
Adjustable line thickness
Label sizing and offset controls
Optional price tags
Light or dark color-friendly styling
The visual layout is clean, modern, and tailored for long chart sessions.
6. Profile Presets for Every Trader
Four built-in trading profiles are included:
Scalp Mode
Reactive levels
Tight tolerance
Best for 1m–5m
Day Trade Mode
Balanced structure
Ideal for 5m–1H
Swing Mode
Broad pivots
Higher significance
Perfect for 4H–1D
Custom Mode
Full control over every parameter.
🎯 How Traders Use This
Identify major reversal zones
Find liquidity pockets before they form
Improve breakout accuracy
Locate fair-value areas for entries
Combine HTF structure with LTF setups
Simplify noise-heavy charts
Whether you’re looking for scalping precision or long-term structure, the indicator adapts instantly.
⚠️ Disclaimer
This script is intended for market analysis and educational purposes only.
It does not constitute financial advice.
Always backtest and verify settings before trading live markets.
🅐🅛🅟 – Author
Created with care, precision, and countless hours of testing by alpprofitmax.
Licensed under the Mozilla Public License 2.0.
Michael 13/100 SMA Crossover (Time Filtered)This indicator plots a simple moving average (SMA) crossover system using a 13-period SMA and a 100-period SMA. A Buy signal appears when the 13-period SMA crosses above the 100-period SMA, and a Sell signal appears when the 13-period SMA crosses below the 100-period SMA.
Signals are restricted to a specific active trading window between 08:00 and 17:00 GMT, helping to reduce noise during off-hours or low-liquidity periods. The moving averages themselves remain visible at all times, but Buy/Sell markers only appear when a crossover occurs during the defined session.
This tool helps traders identify trend shifts, momentum changes, and potential entry/exit points while avoiding signals during quieter market conditions.
HTF Scanner Pro | High Tight Flag | Leif Soreide📊 HTF Scanner Pro| High Tight Flag Pattern Detector
🎯 Overview
HTF Scanner Pro is a professional-grade pattern recognition indicator designed to identify one of the most powerful and rare chart patterns in technical analysis: the High Tight Flag (HTF). Based on the rigorous research of William O'Neil (founder of Investor's Business Daily and creator of CANSLIM) and refined by Leif Soreide's extensive pattern studies, this indicator provides institutional-level pattern detection with a premium visual experience.
The High Tight Flag pattern historically delivers 69-85% success rates when properly identified, making it one of the most reliable bullish continuation patterns. However, it's extremely rare—you might only see 2-5 valid setups per year across thousands of stocks. This indicator does the heavy lifting of scanning and scoring potential setups so you never miss an opportunity.
----------------------------------------------------------------------------------------------
⚡ Key Features
🔬 6-Component Scoring System (0-10 Scale)
Each potential HTF pattern is analyzed across six critical dimensions:
│ Pole │ 25% │ Explosive advance (90-120%+ in 4-8 weeks)
│ Flag │ 25% │ Tight consolidation (10-25% pullback, above 50-MA)
│ Volume │ 20% │ Heavy pole volume, dry flag volume, breakout surge
│ Technical │ 15% │ New highs, relative strength, MA positioning
│ Breakout │ 10% │ Proximity to pivot, R:R ratio, target potential
│ Catalyst │ 5% │ Fundamental catalyst proxy via price/volume action
📈 Pattern Detection Criteria (O'Neil/Soreide Standards)
THE POLE (Flagpole):
- ✅ Minimum 90% advance (100-120%+ is ideal)
- ✅ Occurs within 4-8 weeks (20-40 trading days)
- ✅ Heavy volume (40-100%+ above average)
- ✅ More up days than down days (clean advance)
- ✅ Usually triggered by fundamental catalyst
THE FLAG (Consolidation):
- ✅ Shallow pullback of only 10-25% from pole high
- ✅ Duration: 1-3 weeks ideal, max 5 weeks
- ✅ MUST stay above 50-day moving average
- ✅ Volume dries up significantly (supply exhaustion)
- ✅ Tight, low-volatility price action
BREAKOUT CONFIRMATION:
- ✅ Price breaks above flag high + $0.10 (classic O'Neil rule)
- ✅ Volume surges 50%+ above average
- ✅ Risk/Reward typically 3:1 or better
----------------------------------------------------------------------------------------------
🎨 Premium Visual Features
Interactive Dashboard
- Real-time pattern scoring with letter grades (A+ to F)
- Component-by-component breakdown with color coding
- Trade setup display (Entry, Target, Stop, R:R)
- Status indicators for flag tightness and pole recency
- Customizable position (6 locations)
Pattern Zone Highlighting
- Pole Zone: Subtle green/blue gradient background
- Flag Zone: Subtle gold/orange gradient background
- Ghost transparency to not obscure price action
Price Level Visualization
- Entry Line (Blue): Flag high + $0.10 breakout level
- Target Line (Green): Projected measured move target
- Stop Line (Red): Below flag low for risk management
Signal Labels
- Large green label for valid HTF signals
- Orange label for partial/forming setups
- Complete trade plan in label (Entry, Target, R:R)
----------------------------------------------------------------------------------------------
📊 How to Use
Signal Interpretation
┌─────────┬───────────────────────────┐
│ Score │ Grade │ Signal │ Action ├─────────┼─────────┼─────────────────┤
│ 8.0+ │ A-/A/A+ │ HIGH TIGHT FLAG │ Valid setup - prepare for entry │
├─────────┼───────────────────────────┤
│ 5.5-7.9 │ C/B │ PARTIAL SETUP │ Monitor - some criteria missing │
├─────────┼─────────┼─────────────────
│ <5.5 │ D/F │ NO SIGNAL │ Not an HTF pattern │
└─────────┴─────────┴────────────────┘
Entry Strategy
- Wait for Setup: Score reaches 8.0+ with all major criteria met
- Entry Point: Buy on breakout above the blue ENTRY line with volume confirmation
- Stop Loss: Place stop just below the red STOP line (flag low)
- Target: Use the green TARGET line as your profit objective
- Position Size: Calculate based on the displayed R:R ratio
Component Checklist
Before entering, verify in the dashboard:
- ✅ Pole shows ✓ with 90%+ gain
- ✅ Flag shows ✓ (above 50-MA)
- ✅ Volume shows ✓ (1.4x+ pole volume)
- ✅ Technical shows ✓ (above 50-MA)
- ✅ Footer shows "◆ TIGHT" and "◆ RECENT"
----------------------------------------------------------------------------------------------
⚙️ Input Settings
Pattern Detection
- Pole Min Period: Minimum pole duration (default: 20 days / 4 weeks)
- Pole Max Period: Maximum pole duration (default: 40 days / 8 weeks)
- Minimum Gain %: Minimum pole advance (default: 90%)
- Good Gain %: Strong pole advance (default: 100%)
- Excellent Gain %: Exceptional pole advance (default: 120%)
Flag Consolidation
- Min Pullback %: Minimum flag pullback (default: 10%)
- Max Pullback %: Maximum flag pullback (default: 25%)
- Min Duration: Minimum flag duration (default: 5 days)
- Max Duration: Maximum flag duration (default: 25 days)
Signal Thresholds
- HTF Signal: Score threshold for valid HTF (default: 8.0)
- Partial Setup: Score threshold for partial setup (default: 5.5)
Visual Settings
- Show Dashboard: Toggle analysis dashboard
- Show Pattern Zones: Toggle pole/flag highlighting
- Show Price Levels: Toggle entry/target/stop lines
- Show Signal Labels: Toggle pattern labels
- Show Moving Averages: Toggle 50 & 200 MA display
- Dashboard Position: Choose from 6 positions
Technical Parameters
- 50-day MA: Period for 50-day moving average
- 200-day MA: Period for 200-day moving average
- RS Period: Lookback for relative strength (default: 126 days / 6 months)
----------------------------------------------------------------------------------------------
🔔 Alerts
Four built-in alert conditions:
- 🚀 HTF BREAKOUT: Price breaks above entry level with volume confirmation
- ⚡ HTF Setup Ready: Valid HTF at pivot, watch for breakout
- ⚡ Early Entry Signal: Volume expanding near pivot (Leif's specialty)
- ◇ Partial Setup: Forming setup worth monitoring
----------------------------------------------------------------------------------------------
📚 Educational Notes
Why HTF Patterns Work
The High Tight Flag represents the ultimate supply/demand imbalance:
- Explosive Pole: Institutions aggressively accumulate, driving price up 100%+
- Tight Flag: Weak hands sell, but no significant supply emerges
- Breakout: Remaining supply absorbed, price explodes to new highs
Historical Performance
According to O'Neil's research and Soreide's studies:
- Success rate: 69-85% when all criteria are met
- Average gain from breakout: 100-200%+
- Failure rate increases significantly if criteria are relaxed
Common Mistakes to Avoid
❌ Buying before breakout confirmation
❌ Ignoring volume requirements
❌ Trading flags that broke below 50-MA
❌ Accepting pullbacks deeper than 25%
❌ Trading old poles (flag must form immediately afterpole)
----------------------------------------------------------------------------------------------
This indicator is a tool to assist with pattern identification and should not be considered financial advice. Always:
- Conduct your own due diligence
- Manage risk appropriately
- Use proper position sizing
- Consider fundamental analysis alongside technical signals
Past performance of the High Tight Flag pattern does not guarantee future results.
📝 Credits & References
- William O'Neil - "How to Make Money in Stocks", CANSLIM methodology
- Leif Soreide - HTF Masterclass, pattern refinement research
- Investor's Business Daily - Pattern recognition standards
Gap Finder v6Locate all existing open gaps.
Display gap labels on chart with the size of the gap.
Gap size is based on the percentage of the price prior to when the gap was formed.
Example of label: .............Gap 4.8%
Levels S/R Boxes + Gaps + SL/TPWhat It Does:
Automatically identifies and displays:
🟦 Support/Resistance zones (horizontal boxes)
🟨 Price gaps (unfilled gaps from market open/close)
🎯 Stop Loss levels (where to protect trades)
💰 Take Profit levels (where to exit trades)
Purpose: Shows you exactly where price is likely to bounce, reverse, or break through.
Best Practices:
✅ Trade at the boxes - Don't chase price
✅ Use SL/TP lines - Automatic risk management
✅ Wait for confirmation - Candle pattern + S/R level
✅ Gaps get filled - Trade towards yellow boxes
✅ Solid lines = stronger - Prefer 3+ touch levels
❌ Don't ignore SL - Always protect yourself
❌ Don't trade middle - Wait for S/R zones
❌ Don't fight strong levels - Respect solid boxes
Settings (Quick Reference):
S/R Strength: 10 (default) - Lower = more levels, Higher = fewer stronger levels
Max Levels: 5 (default) - Number of S/R boxes to show
Show Gaps: ON - Display yellow gap boxes
Show SL/TP: ON - Display entry/exit suggestions
KIRA INVESTORS📈 KIRA MOMENTUM STRATEGY – BUY & SELL
Title: KIRA EMA 9–21 + VWAP
🟢 BUY RULE
EMA 9 crosses above EMA 21
Price closes above VWAP
🔴 SELL RULE
EMA 9 crosses below EMA 21
Price closes below VWAP
🚫 NO TRADE ZONE
EMAs tangled
Price chopping near VWAP
🎯 TIMEFRAMES & RISK
TF: 5–15 min
Stop-loss: Swing high / low
Risk ≤ 1% per trade
💡 WHY IT WORKS
EMA crossover → Trend direction
VWAP → Confirms institutional bias
Only trades strong momentum moves
缠中禅V6Pro"ChanLun" is a highly regarded technical analysis method originating in China. Since its introduction in 2006, ChanLun has quickly gained significant attention and a strong following in the Chinese trading community due to its remarkable ability to navigate complex market dynamics.
ChanLun places great emphasis on market structure, price action, momentum, and the intricate interactions between market forces. It recognizes that the market operates in cyclical patterns and aims to capture the underlying structure and rhythm of price movements. Through detailed analysis of the intricate relationship between price and time, it provides traders with a unique perspective on market trends, potential reversals, and key turning points.
🟠 Algorithm
🔵 Step 1: Candlestick Conversion
In ChanLun, candlestick analysis pays less attention to the opening/closing prices and wicks, focusing instead on the range that the stock price reaches. Therefore, the first step in ChanLun involves converting each candlestick to include only the high and low prices, ignoring other elements.
🔵 Step 2: Candlestick Standardization
In the second step, the converted candlesticks are standardized to ensure strict directional consistency and to eliminate the presence of inner or outer bars. For any two adjacent candlesticks A and B, if one price range completely contains the other, A and B are merged into a new candlestick C. If A is in an uptrend from the previous candlestick, C is defined as High(C) = max(High(A), High(B)) and Low(C) = max(Low(A), Low(B)). If A is in a downtrend from the previous candlestick, C is defined as High(C) = min(High(A), High(B)) and Low(C) = min(Low(A), Low(B)).
After completing these steps, when considering any adjacent candlesticks A and B, we can always observe one of the following conditions:
1. High(A) > High(B) and Low(A) > Low(B)
2. High(A) < High(B) and Low(A) < Low(B)
The diagram below illustrates how the candlesticks are displayed after this step.
🔵 Step 3: Fractals
A "fractal" refers to a pattern formed by three consecutive "normalized" candlesticks, where the middle candlestick shows significantly higher or lower values compared to the surrounding candlesticks. When considering three adjacent candlesticks A, B, and C, we have one of two conditions:
1. High (B) > High (A) and High (B) > High (C) and Low (B) > Low (A) and Low (B) > Low (C)
2。 High (B) < Low (A) and High (B) < Low (C) and Low (B) < Low (A) and Low (B) < Low (C) For
In #1 above, we refer to the combination of A, B, and C as the "top fractal", while for #2 we specify it as the "bottom fractal".
The image below illustrates all fractals, with the red triangle indicating the top fractal and the green triangle indicating the bottom splitting.
🔵 Step 4: Strokes
A "stroke" is a line that connects the top fractal and the bottom fractal, following these rules:
1. There must be at least one "free" candlestick between these fractals, which means it is not part of the top or bottom split. This guarantees that the stroke contains at least five candlesticks from start to finish.
2. The top fractal must have a higher price compared to the bottom fractal.
3. The end fractal should represent the highest or lowest point within the entire stroke range. (There is an option in this indicator to enable or disable this rule.)
Brushstrokes enable traders to identify and visualize significant price movements or trends while effectively filtering out minor fluctuations.
🔵 Step 5: Segmentation
A "subdivision" is a higher-level line that connects the start and end points of at least three consecutive strokes, reflecting the trend of the current market structure. As new strokes emerge, it continues to extend until there is a break in the market structure. A breakout occurs when an uptrend forms lower highs and lower lows, or when a downtrend forms higher highs and higher lows. It is important to note that within the trading range, the brushstrokes typically exhibit higher highs and lower lows or higher lows and lower highs patterns (similar to the inner and outer bars). In this case, the brushstrokes will merge in a similar manner to the candlesticks described earlier until there is a clear breakout in the market structure. Contrary to brushstrokes, segments provide a relatively stable depiction of market trends on higher time frames.
It is important to note that the algorithm used to calculate line segments from strokes can again be applied recursively to the generated line segments, forming higher-level line segments that represent market trends over a larger time frame.
🔵 Step 6: Pivot
In ChanLun, the term "pivot" does not represent a price reversal point. Instead, it refers to a trading range where the security's price tends to fluctuate. Within a given "Segment," a pivot is determined by the overlap of two consecutive strokes moving in opposite directions along the segment. When two downward trend strokes, A and B, form a pivot P within an upward trend segment S, the upper and lower boundaries of the pivot are defined as follows:
1. Upper limit (P) = min(high(A), high(B))
2. Lower limit (P) = max(low(A), low(B))
The pivot range is usually where consolidation and high trading volume occur.
If future strokes moving in the opposite direction along the current segment overlap with the upper and lower boundaries of the pivot, those strokes will merge into the existing pivot, extending it along the x-axis. A new pivot is formed when two consecutive strokes moving in the opposite direction along the current segment intersect each other without overlapping the previous pivot.
Similarly, pivots can be recursively identified in higher-level segments. The blue boxes below indicate "Segment Pivots" identified in the context of higher-level segments.
🔵 Step 7: Buy/Sell Points
ChanLun defines three types of buy/sell points.
1. Type 1 Buy and Sell Points: Also called trend reversal points. These points mark where an old segment ends and a new segment begins.
2. Type 2 Buy and Sell Points: Also called trend continuation points. These points occur when the price is in a trend, indicating trend continuation. In an uptrend, Type 2 buy points are rebound points after the price retraces to previous lows or support levels, signaling a likely continuation of the upward movement. In a downtrend, Type 2 sell points are pullback points after the price bounces to previous highs or resistance levels, signaling a likely continuation of the downward movement.
3. Type 3 Buy and Sell Points: These points represent retests of a pivot range breakout. The presence of these retest points indicates that the price may continue to move up/down above/below the pivot level.
Astute readers may notice that these buy/sell points are lagging indicators. For example, multiple candlesticks will have occurred by the time a new segment is confirmed at a Type 1 buy/sell point in that segment. In fact, buy/sell points do lag behind actual market movements. However, ChanLun addresses this issue through multi-timeframe analysis. By examining buy/sell points confirmed in lower timeframes, additional confidence can be gained in determining the overall trend of higher timeframes.
🔵 Step 8: Divergence
Another core technique in ChanLun is using divergence to predict the occurrence of Type 1 buy/sell points. While MACD is the most commonly used indicator for detecting divergence, other indicators like RSI can also serve this purpose.
🟠 Summary
Essentially, ChanLun is a powerful technical analysis method that combines careful examination and interpretation of price charts, the application of technical indicators and quantitative tools, and keen attention to multiple timeframes. Its goal is to identify current market trends and uncover potential trading opportunities. What sets ChanLun apart is its holistic approach, which integrates both qualitative and quantitative analysis to facilitate informed and successful trading decisions.
“缠论”是一种起源于中国的备受推崇的技术分析方法。自 2006 年推出以来,ChanLun 凭借其驾驭复杂市场动态的非凡能力,迅速在中国交易社区中获得了极大的关注和强大的追随者。
ChanLun 非常重视市场结构、价格行为、动量以及市场力量之间错综复杂的相互作用。它认识到市场以周期性模式运作,旨在捕捉价格变动的底层结构和节奏。通过对价格和时间之间错综复杂的关系的细致分析,它为交易者提供了关于市场趋势、潜在逆转和关键转折点的独特视角。
该指标提供了 ChanLun 理论的细致而全面的实施。它有助于对所有基本组成部分进行深入分析和可视化表示,包括 “Candlestick Conversion”, “Candlestick Standardization”, “Fractal”, “Stroke”, “Segment”, “Pivot” 和 “Buying/Selling Point”。
🟠 算法
🔵 1 步:烛台转换
在 ChanLun 中,烛台分析较少关注开盘价/收盘价和灯芯,而是强调股价达到的价格范围。因此,ChanLun 的第一步涉及将每根烛条转换为仅包含最高价和最低价,而忽略其他元素。
🔵 第 2 步:烛台标准化
在第二步中,对转换后的烛台进行标准化,以确保严格的方向一致性,并消除内柱线或外柱线的存在。对于任何相邻的两根烛条 A 和 B,其中一根的价格范围完全包含另一根,A 和 B 被合并为新的烛条 C。如果 A 从前一根蜡烛开始呈上升趋势,则 C 将被定义为最高价 (C) = 最大值(最高价 (A), 最高价 (B)) 和最低价 (C) = 最大值(最低价 (A), 最低价 (B))。如果 A 从前一根蜡烛开始呈下降趋势,则 C 将被定义为最高价 (C) = min(最高价 (A), 最高价 (B)) 和最低价 (C) = min(最低价 (A), 最低价 (B))。
完成这些步骤后,在考虑任何相邻的烛条 A 和 B 时,我们始终可以观察到以下任一条件:
1. 最高价 (A) > 最高价 (B) 和最低价 (A) >最低价 (B)
2。最高价 (A) <最高价 (B) 和最低价 (A) <最低价 (B)
下图说明了此步骤后烛台的显示方式。
🔵 第 3 步:分形
“分形”是指由三个连续的“标准化”烛台形成的形态,其中中间的烛台与周围的烛台相比显示出明显的更高或更低的值。当考虑三个相邻的烛台 A、B 和 C 时,我们有以下两个条件之一:
1. 最高价 (B) > 最高价 (A) 和高点 (B) >最高价 (C) 和最低价 (B) >最低价 (A) 和最低价 (B) >最低价 (C)
2。高 (B) < 低 (A) 和高 (B) < 低 (C) 和低 (B) < 低 (A) 和低 (B) < 低 (C)对于
上面的 #1,我们将 A、B 和 C 的组合称为“顶部分形”,而对于 #2,我们将其指定为“底部分形”。
下图说明了所有分形,其中红色三角形表示顶部分形,绿色三角形表示底部分形。
🔵 第 4 步:笔画
“笔画” 是连接顶部分形和底部分形的一条线,遵循以下规则:
1. 在这些分形之间必须至少有一个 “自由” 烛台,这意味着它不是顶部或底部分形的一部分。这保证了笔画从头到尾至少包含五根烛条。
2. 与底部分形相比,顶部分形必须具有更高的价格。
3. 端点分形应表示整个笔画范围内的最高点或最低点。(此指示器中有一个选项用于启用或禁用此规则。
笔触使交易者能够识别和可视化重大的价格波动或趋势,同时有效地过滤掉微小的波动。
🔵 第 5 步:细分
“细分”是一条更高级别的线,连接至少连续三个笔画的起点和终点,反映了当前市场结构的趋势。随着新笔触的出现,它继续延伸,直到市场结构出现中断。当上升趋势形成较低的高点和较低的低点,或者当下降趋势形成更高的高点和更高的低点时,就会发生突破。值得注意的是,在交易区间内,笔触通常表现出更高的高点和更低的低点或更高的低点和更低的高点形态(类似于内柱和外柱)。在这种情况下,笔触将以与前面描述的烛台类似的方式合并,直到市场结构出现明显的突破。与笔触相反,分段在更高的时间范围内提供了对市场趋势的相对稳定的描述。
需要注意的是,用于从笔画计算线段的算法可以再次递归地应用于生成的线段,形成更高级别的线段,代表更大时间范围内的市场趋势。
🔵 第 6 步:枢轴
在 ChanLun 中,“枢轴”一词并不表示价格反转点。相反,它代表证券价格趋于波动的交易区间。在给定的 “Segment” 中,枢轴由沿线段相反方向移动的两个连续笔画的重叠决定。当两个下降趋势笔触 A 和 B 在上升趋势段 S 内形成枢轴 P 时,枢轴的上限和下限定义如下:
1. 上限 (P) = min(最高 (A), 最高 (
pein:
B)
2. 下限 (P) = 最大值(最低 (A), 最低 (B))
枢轴范围通常是发生盘整和交易量高的地方。
如果沿当前线段的相反方向移动的未来笔触与枢轴的上限和下限重叠,则该笔划将合并到现有枢轴中,并沿 x 轴延伸枢轴。当沿当前线段的相反方向移动的两个连续笔触彼此相交而不与前一个轴重叠时,将形成新的枢轴。
同样,也可以在更高级别的 segment 中递归识别 pivots。下面的蓝色框表示在更高级别区段的上下文中标识的“Segment Pivots”。
🔵 第 7 步:购买/出售积分
ChanLun 中定义了三种类型的购买/出售积分。
1. 类型 1 买入和卖出点:也称为趋势反转点。这些点是旧路段终止和生成新路段的位置。
2. 类型 2 买入和卖出点:也称为趋势延续点。这些点发生在价格处于趋势中时,标志着趋势的延续。在上升趋势中,类型 2 买点是价格回撤至先前低点或支撑位后的反弹点,表明价格可能会继续上涨。在下跌趋势中,类型 2 卖点是价格反弹至前高点或阻力位后的回调点,表明价格可能会继续下跌。
3. 类型 3 买入和卖出点:这些点表示对枢轴范围突破的重新测试。这些重新测试点的存在表明,价格有可能在枢轴水平上方/下方继续向上/向下移动。
挑剔的读者可能会注意到这些买入/卖出点是滞后指标。例如,当确认新区段时,自该区段的类型 1 买入/卖出点以来已经发生了多根烛台。
事实上,买入/卖出点确实落后于实际市场走势。然而,ChanLun 通过使用多时间框架分析解决了这个问题。通过检查较低时间框架中确认的买入/卖出点,可以在确定较高时间框架的整体趋势方面获得额外的信心。
🔵 第 8 步:背离
ChanLun 的另一个核心技术是应用背离来预测 1 型买入/卖出点的出现。虽然 MACD 是检测背离最常用的指标,但 RSI 等其他指标也可用于此目的。
🟠 总结
从本质上讲,ChanLun 是一种强大的技术分析方法,它结合了对价格图表的仔细检查和解释、技术指标和定量工具的应用以及对多个时间框架的敏锐关注。其目标是确定当前的市场趋势并发现潜在的交易前景。ChanLun 的与众不同之处在于其整体方法,该方法融合了定性和定量分析,以促进明智和成功的交易决策。
RSI os/ob overlay on candle - RichFintech.comRSI os/ob overlay on candle - RichFintech.com reduce the time your eyes must to look two pane, easier to analysis and tired eyes
SPY → ES 11 Levels with Labels📌 Description for SPY → ES 11-Level Converter (with Labels)
This script converts important SPY options-based levels into their equivalent ES futures prices and plots them directly on the ES chart.
Because SPY trades at a different price scale than ES, each SPY level is multiplied by a customizable ES/SPY ratio to project accurate ES levels.
It is designed for traders who use SpotGamma, GEXBot, MenthorQ, Vol-trigger levels, or their own gamma/oi/volume models.
🔍 Features
✅ Converts SPY → ES using custom or automatic ratio
Option to manually enter a ratio (recommended for accuracy)
Or automatically compute ES/SPY from live prices
✅ Plots 11 major levels on the ES chart
Each level can be individually turned ON/OFF:
Call Wall
Put Wall
Volume Trigger
Spot Price
+Gamma Level
–Gamma Level
Zero Gamma
Positive OI
Negative OI
Positive Volume
Negative Volume
All levels are drawn as clean horizontal lines using the converted ES value.
SignalSquad Lite: SMC Structure Mapper © 2025Free Lite: Map SMC Structure (Pivots + BOS).
Teaser for Premium SignalSquad (Signals + 75% Wins).
Trial: in.tradingview.com





















