ATRWhat the Indicator Shows:
A compact table with four cells is displayed in the bottom-left corner of the chart:
| ATR | % | Level | Lvl+ATR |
Explanation of the Columns:
ATR — The averaged daily range (volatility) calculated with filtering of abnormal bars (extremely large or small daily candles are ignored).
% — The percentage of the daily ATR that the price has already covered today (the difference between the daily Open and Close relative to ATR).
Level — A custom user-defined level set through the indicator settings.
Lvl+ATR — The sum of the daily ATR and the user-defined level. This can be used, for example, as a target or stop-loss reference.
Color Highlighting of the "%" Cell:
The background color of the "%" ATR cell changes depending on the value:
✅ If the value is less than 10% — the cell is green (market is calm, small movement).
➖ If the value is between 10% and 50% — no highlighting (average movement, no signal).
🟡 If the value is between 50% and 70% — the cell is yellow (movement is increasing, be alert).
🔴 If the value is above 70% — the cell is red (the market is actively moving, high volatility).
Key Features:
✔ All ATR calculations and percentage progress are performed strictly based on daily data, regardless of the chart's current timeframe.
✔ The indicator is ideal for intraday traders who want to monitor daily volatility levels.
✔ The table always displays up-to-date information for quick decision-making.
✔ Filtering of abnormal bars makes ATR more stable and objective.
What is Adaptive ATR in this Indicator:
Instead of the classic ATR, which simply averages the true range, this indicator uses a custom algorithm:
✅ It analyzes daily bars over the past 100 days.
✅ Calculates the range High - Low for each bar.
✅ If the bar's range deviates too much from the average (more than 1.8 times higher or lower), the bar is considered abnormal and ignored.
✅ Only "normal" bars are included in the calculation.
✅ The average range of these normal bars is the adaptive ATR.
Detailed Algorithm of the getAdaptiveATR() Function:
The function takes the number of bars to include in the calculation (for example, 5):
The average of the last 5 normal bars is calculated.
pinescript
Копировать
Редактировать
adaptiveATR = getAdaptiveATR(5)
Step-by-Step Process:
An empty array ranges is created to store the ranges.
Daily bars with indices from 1 to 100 are iterated over.
For each bar:
🔹 The daily High and Low with the required offset are loaded via request.security().
🔹 The range High - Low is calculated.
🔹 The temporary average range of the current array is calculated.
🔹 The bar is checked for abnormality (too large or too small).
🔹 If the bar is normal or it's the first bar — its range is added to the array.
Once the array accumulates the required number of bars (count), their average is calculated — this is the adaptive ATR.
If it's not possible to accumulate the required number of bars — na is returned.
Что показывает индикатор:
На графике внизу слева отображается компактная таблица из четырех ячеек:
ATR % Уровень Ур+ATR
Пояснения к столбцам:
ATR — усреднённый дневной диапазон (волатильность), рассчитанный с фильтрацией аномальных баров (слишком большие или маленькие дневные свечи игнорируются).
% — процент дневного ATR, который уже "прошла" цена на текущий день (разница между открытием и закрытием относительно ATR).
Уровень — пользовательский уровень, который задаётся вручную через настройки индикатора.
Ур+ATR — сумма уровня и дневного ATR. Может использоваться, например, как ориентир для целей или стопов.
Цветовая подсветка ячейки "%":
Цвет фона ячейки с процентом ATR меняется в зависимости от значения:
✅ Если значение меньше 10% — ячейка зелёная (рынок пока спокоен, маленькое движение).
➖ Если значение от 10% до 50% — фон не подсвечивается (среднее движение, нет сигнала).
🟡 Если значение от 50% до 70% — ячейка жёлтая (движение усиливается, повышенное внимание).
🔴 Если значение выше 70% — ячейка красная (рынок активно движется, высокая волатильность).
Особенности работы:
✔ Все расчёты ATR и процентного прохождения производятся исключительно по дневным данным, независимо от текущего таймфрейма графика.
✔ Индикатор подходит для трейдеров, которые торгуют внутри дня, но хотят ориентироваться на дневные уровни волатильности.
✔ В таблице всегда отображается актуальная информация для принятия быстрых торговых решений.
✔ Фильтрация аномальных баров делает ATR более устойчивым и объективным.
Что такое адаптивный ATR в этом индикаторе
Вместо классического ATR, который просто усредняет истинный диапазон, здесь используется собственный алгоритм:
✅ Он берет дневные бары за последние 100 дней.
✅ Для каждого из них рассчитывает диапазон High - Low.
✅ Если диапазон бара слишком сильно отличается от среднего (более чем в 1.8 раза больше или меньше), бар считается аномальным и игнорируется.
✅ Только нормальные бары попадают в расчёт.
✅ В итоге считается среднее из диапазонов этих нормальных баров — это и есть адаптивный ATR.
Подробный алгоритм функции getAdaptiveATR()
Функция принимает количество баров для расчёта (например, 5):
Считается 5 последних нормальных баров
pinescript
Копировать
Редактировать
adaptiveATR = getAdaptiveATR(5)
Пошагово:
Создаётся пустой массив ranges для хранения диапазонов.
Перебираются дневные бары с индексами от 1 до 100.
Для каждого бара:
🔹 Через request.security() подгружаются дневные High и Low с нужным смещением.
🔹 Считается диапазон High - Low.
🔹 Считается временное среднее диапазона по текущему массиву.
🔹 Проверяется, не является ли бар аномальным (слишком большой или маленький).
🔹 Если бар нормальный или это самый первый бар — его диапазон добавляется в массив.
Как только массив набирает заданное количество баров (count), берётся их среднее значение — это и есть адаптивный ATR.
Если не удалось набрать нужное количество баров — возвращается na.
Penunjuk dan strategi
ATR & SMA Info Table (v6)An indicator that displays ATR data with percentage change and moving average including stock name and time frame
ADX with Reference LineKey Features
ADX Line (Blue): Indicates the strength of the trend.
Reference Line at 25 (Dashed): A key threshold used to assess whether the market is trending or ranging.
+DI and -DI Lines (Green and Red): Show the direction of the trend — whether buyers or sellers are stronger.
Additional Reference Lines at 0 and 50: Help visualize the ADX range and potential trend strength zones.
SupertrendWill generate Good Signals but be remembered that you can only use when Breakout market is there
Cumulative Volume Delta with MAdelta scirpt with single ma , good on 5 minute for single ma and higher time framess
RSI Orderflow S/R LinesRSI Orderflow S/R Lines is a lightweight, overlay-style indicator that automatically marks short-term support and resistance levels derived from momentum shifts in the 14-period Relative Strength Index. Instead of relying on raw RSI values, the script tracks the change in RSI from one bar to the next (ΔRSI). When this one-bar delta exceeds a user-defined positive threshold, it treats the surge in buying momentum as a potential support zone and drops a horizontal line at that bar’s close. Conversely, when ΔRSI falls below the negative of the threshold, the script interprets the selling pressure as a resistance cue and plots a line at that close.
Two simple inputs keep the tool highly configurable. “RSI Δ Threshold” (0–20) lets you dial in how sensitive the signal is: lower values will print levels more frequently, while higher settings focus only on the most forceful momentum swings. “Max S/R Lines” (1–10) controls chart clutter by limiting how many active levels remain on the screen. As new signals emerge, the indicator adds fresh lines and automatically deletes the oldest ones once the user-set cap is reached.
Each level is dynamic in color: green whenever the current price trades above the line (acting as support) and red whenever price is below (acting as resistance). Because every line extends to the right indefinitely, the indicator gives you a clear, real-time view of recent momentum-based zones that may attract bids or offers on subsequent retests.
This approach can complement traditional technical analysis by highlighting hidden supply-and-demand pockets rooted in aggressive shifts in trader conviction. Combine it with price-action confirmation, volume patterns, or broader market structure to refine entries, exits, and stop placement. As always, test settings on your preferred markets and timeframes before committing real capital, and remember that no indicator guarantees future performance—sound risk management is essential.
fibpointLibrary "fibpoint"
A library for generating Fibonacci retracement levels on a chart, including customizable lines, labels, and filled areas between levels. It provides functionality to plot Fibonacci levels based on given price points and bar indices, with options for custom levels and colors.
getFib(startPoint, endPoint, startIdx, endIdx, fibLevels, fibColors, tsp)
Calculates Fibonacci retracement levels between two price points and draws corresponding lines and labels on the chart.
Parameters:
startPoint (float) : The starting price point for the Fibonacci retracement.
endPoint (float) : The ending price point for the Fibonacci retracement.
startIdx (int) : The bar index where the Fibonacci retracement starts.
endIdx (int) : The bar index where the Fibonacci retracement ends.
fibLevels (array) : An optional array of custom Fibonacci levels (default is ).
fibColors (array) : An optional array of colors for each Fibonacci level (default is a predefined color array).
tsp (int) : The transparency level for the fill between Fibonacci levels (default is 90).
Returns: A tuple containing an array of fibItem objects (each with a line and label) and an array of linefill objects for the filled areas between levels.
fibItem
A custom type representing a Fibonacci level with its associated line and label.
Fields:
line (series line) : The line object drawn for the Fibonacci level.
label (series label) : The label object displaying the Fibonacci level value.
Volume bar range# Volume Bar Range (VBR) Indicator
## Overview
The Volume Bar Range indicator identifies key support and resistance levels based on high-volume price bars. It creates a visual range that represents significant price levels where the market has shown strong interest through volume confirmation.
## Features
### Visual Range Display
- **Blue/Aqua Area**: Shows the price range of the highest volume bar within the lookback period
- **Dynamic Color**: The fill color changes to indicate whether the range is stable (aqua) or newly updated (white)
- **Boundary Lines**: Invisible white lines mark the upper and lower boundaries of the range
### Trading Signals
- **BUY Signal**: Blue upward arrow appears when price breaks above the resistance level with volume confirmation
- **SELL Signal**: Black downward arrow appears when price breaks below the support level with volume confirmation
## How to Use
### Setup
1. Apply the indicator to any chart
2. The indicator automatically identifies the highest volume bar in the last 55 periods
3. The price range of this high-volume bar becomes your support/resistance zone
### Trading Strategy
- **Range Trading**: Trade within the identified support/resistance range
- **Breakout Trading**: Enter positions when price breaks above resistance (BUY) or below support (SELL)
- **Volume Confirmation**: Only take signals when current volume exceeds the 21-period average
### Signal Interpretation
- **BUY Signal**: Price closes above the resistance level with above-average volume
- **SELL Signal**: Price closes below the support level with above-average volume
- **No Signal**: Price remains within the range or volume is insufficient
## Key Parameters
- **Lookback Period**: 55 bars (automatically identifies the highest volume bar)
- **Volume MA**: 21-period simple moving average for volume confirmation
- **Signal Size**: Tiny markers to avoid chart clutter
## Best Practices
- Use on multiple timeframes for confirmation
- Combine with other technical indicators for stronger signals
- Pay attention to the color changes in the range area
- Consider market context and overall trend direction
## Ideal Markets
- Works well on liquid markets with consistent volume patterns
- Effective on stocks, forex, and crypto markets
- Best suited for swing trading and medium-term analysis
This indicator is particularly useful for traders who rely on volume analysis and want to identify key price levels where the market has shown significant interest.
Multi Pivot Point - Nadeem alaa V1This advanced pivot point indicator combines both Traditional and Camarilla methods in one unified script, offering full customization and bilingual interface (Arabic–English).
It supports flexible pivot timeframes, including standard (Daily, Weekly, Monthly) and extended intervals (Biyearly, Quinquennial, Decennial).
Key features:
Traditional and Camarilla Pivot Levels (R1–R5, S1–S5, H1–H6, L1–L6)
Multi-timeframe logic with auto or manual resolution control
Customizable label placement, prices, and line styles
Daily-based or intraday-based OHLC calculation logic
Designed for high accuracy, clean visualization, and ease of use
All SMAs Bullish/Bearish Screener (Enhanced)All SMAs Bullish/Bearish Screener Enhanced: Uncover High-Conviction Trend Alignments with Confidence
Description:
Are you ready to elevate your trading from mere guesswork to precise, data-driven decisions? The "All SMAs Bullish/Bearish Screener Enhanced" is not just another indicator; it's a sophisticated, yet user-friendly, trend-following powerhouse designed to cut through market noise and pinpoint high-probability trading opportunities. Built on the foundational strength of comprehensive Moving Average confluence and fortified with critical confirmation signals from Momentum, Volume, and Relative Strength, this script empowers you to identify truly robust trends and manage your trades with unparalleled clarity.
The Power of Multi-Factor Confluence: Beyond Simple Averages
In the unpredictable world of financial markets, true strength or weakness is rarely an isolated event. It's the harmonious alignment of multiple technical factors that signals a high-conviction move. While our original "All SMAs Bullish/Bearish Screener" intelligently identified stocks where price was consistently above or below a full spectrum of Simple Moving Averages (5, 10, 20, 50, 100, 200), this Enhanced version takes it a crucial step further.
We've integrated a powerful three-pronged confirmation system to filter out weaker signals and highlight only the most compelling setups:
Momentum (Rate of Change - ROC): A strong trend isn't just about price direction; it's about the speed and intensity of that movement. Positive momentum confirms that buyers are still aggressively pushing price higher (for bullish signals), while negative momentum validates selling pressure (for bearish signals).
Volume: No trend is truly trustworthy without the backing of smart money. Above-average volume accompanying an "All SMAs" alignment signifies strong institutional participation and conviction behind the move. It separates genuine trend starts from speculative whims.
Relative Strength Index (RSI): This versatile oscillator ensures the trend isn't just "there," but that it's developing healthily. We use RSI to confirm a bullish bias (above 50) or a bearish bias (below 50), adding another layer of confidence to the direction.
When the price aligns above ALL six critical SMAs, and is simultaneously confirmed by robust positive momentum, healthy volume, and a bullish RSI bias, you have an exceptionally strong "STRONGLY BULLISH" signal. This confluence often precedes sustained upward moves, signaling prime accumulation phases. Conversely, a "STRONGLY BEARISH" signal, where price is below ALL SMAs with negative momentum, confirming volume, and a bearish RSI bias, indicates powerful distribution and potential for significant downside.
How to Use This Enhanced Screener:
Add to Chart: Go to TradingView's Pine Editor, paste the script, and click "Add to Chart."
Customize Parameters: Fine-tune the lengths of your SMAs, RSI, Momentum, and Volume averages via the indicator's settings. Experiment to find what best suits your trading style and the assets you trade.
Choose Your Timeframe Wisely:
Daily (1D) and 4-Hour (240 min) are highly recommended. These timeframes cut through intraday noise and provide more reliable, actionable signals for swing and position trading.
Shorter timeframes (e.g., 15min, 60min) can be used by advanced day traders for very short-term entries, but be aware of increased volatility and noise.
Visual Confirmation:
Green/Red Triangles: Appear on your chart, indicating confirmed bullish or bearish signals.
Background Color: The chart background will subtly turn lime green for "STRONGLY BULLISH" and red for "STRONGLY BEARISH" conditions.
On-Chart Status Table: A clear table displays the current signal status ("STRONGLY BULLISH/BEARISH," or "SMAs Mixed") for immediate feedback.
Set Up Alerts (Your Primary Screener Tool): This is the game-changer! Create custom alerts on TradingView based on the "Confirmed Bullish Trade" and "Confirmed Bearish Trade" conditions. Receive instant notifications (email, pop-up, mobile) for any stock in your watchlist that meets these stringent criteria. This allows you to scan the entire market effortlessly and act decisively.
Strategic Stop-Loss Placement: The Trader's Lifeline
Even the most robust signals can fail. Protecting your capital is paramount. For this trend-following strategy, your stop-loss should be placed where the underlying trend structure is broken.
For a "STRONGLY BULLISH" Trade: Place your stop-loss just below the most recent significant swing low (higher low). This is the last point where buyers stepped in to support the price. If price breaks below this, your bullish thesis is invalidated.
For a "STRONGLY BEARISH" Trade: Place your stop-loss just above the most recent significant swing high (lower high). If price breaks above this, your bearish thesis is invalidated.
Alternatively, consider placing your stop-loss just below the 20-period SMA (for bullish trades) or above the 20-period SMA (for bearish trades). A significant close beyond this intermediate-term average often indicates a critical shift in momentum. Always ensure your chosen stop-loss adheres to your pre-defined risk per trade (e.g., 1-2% of capital).
Disciplined Profit Booking: Maximizing Gains
Just as important as knowing when you're wrong is knowing when to take profits.
Trailing Stop-Loss: As your trade moves into profit, trail your stop-loss upwards (for longs) or downwards (for shorts). You can trail it using:
Previous Swing Lows/Highs: Move your stop to just below each new higher low (for longs) or just above each new lower high (for shorts).
A Moving Average (e.g., 10-period or 20-period SMA): If price closes below your chosen trailing SMA, exit. This allows you to ride the trend while protecting accumulated profits.
Target Levels: Identify potential resistance levels (for longs) or support levels (for shorts) using pivot points, previous highs/lows, or Fibonacci extensions. Consider taking partial profits at these levels and letting the rest run with a trailing stop.
Loss of Confluence: If the "STRONGLY BULLISH/BEARISH" condition ceases to be met (e.g., RSI crosses below 50, or volume drops significantly), this can be a signal to reduce or exit your position, even if your stop-loss hasn't been hit.
The "All SMAs Bullish/Bearish Screener Enhanced" is your comprehensive partner in navigating the markets. By combining robust trend identification with critical confirmation signals and disciplined risk management, you're equipped to make smarter, more confident trading decisions. Add it to your favorites and unlock a new level of precision in your trading journey!
#PineScript #TradingView #SMA #MovingAverage #TrendFollowing #StockScreener #TechnicalAnalysis #Bullish #Bearish #QQQ #Momentum #Volume #RSI #SPY #TradingStrategy #Enhanced #Signals #Analysis #DayTrading #SwingTrading
Bollinger Band + RSI Strategy ScannerVrushaNilansh Indicator for 15min. Trading Based on Bollinger Bands+RSI
KosATRWhat this Pine Script does:
✅ This indicator displays daily ATR (Average True Range) information on any chart timeframe (minutes, hours, etc.), ensuring the calculations are based strictly on daily price data.
Displayed Information in the Table:
The script creates a table in the bottom-left corner of the chart that shows:
ATR — A custom, filtered version of the daily ATR that excludes abnormal price bars (extremely large or small daily ranges).
% — The percentage of the ATR that today's price movement (Open to Close) has covered so far.
Level — A manually defined fixed level, set through the script's input.
Level + ATR — The sum of the daily ATR and your defined level, useful for setting price targets or alerts.
Key Features:
Uses request.security() to ensure all calculations (high, low, open, close) are taken from the daily timeframe, even when you're viewing lower or higher timeframes.
Implements a filtering method to calculate an "adaptive ATR," ignoring price ranges that are too large or too small (outliers), making the ATR value more stable and realistic.
Displays a live, easy-to-read table directly on the chart for quick reference during trading.
Summary:
This script provides traders with reliable, daily-based ATR data, helping assess current price movement strength relative to historical daily volatility. It's especially useful for intraday traders who want constant awareness of daily ATR levels, regardless of their current chart timeframe.
Smart RSI DashboardThis script is a multi-timeframe dashboard indicator that analyzes Stochastic RSI and trend direction using EMA-based logic, with optional signal alerts when price reaches Fibonacci levels on the active chart. It includes:
- Customizable colors for RSI and trend states
- Buy/Sell signal detection based on:
- RSI being oversold or overbought
- Trend direction: Uptrend or Downtrend
- Price reaching Fibonacci key zones (0.618 for support, 0.382 for resistance)
- A floating table showing RSI status and trend across multiple timeframes
🔍 Detailed Breakdown:
| Component | Purpose |
| indicator(...) | Declares the indicator and sets it to overlay directly on the chart. |
| input.color(...) | Lets the user customize visual colors for RSI and trend states. |
| stoch() function | Calculates Stochastic RSI from the RSI values over a given period. |
| getStatus() | Returns text status "Oversold ✅", "Overbought ❌", or "Neutral" based on RSI thresholds. |
| getTrend() | Compares EMA(10) and EMA(50) to define "Uptrend 🔼", "Downtrend 🔽", or "Sideways". |
| Fibonacci levels | Automatically calculates 0.382 and 0.618 retracement levels from the last 100 candles. |
| Signals & Alerts | Detects buy/sell setups when RSI + trend + Fibonacci are aligned. Triggers alerts accordingly. |
| Dashboard table | Displays RSI and trend status for 5 timeframes (5m, 15m, 1H, 4H, 1D) in top-right corner. |
"This indicator analyzes market conditions using Stochastic RSI and EMA-based trend direction across multiple timeframes. It provides buy/sell signals when price reaches Fibonacci support/resistance levels and RSI/trend conditions agree. Users can customize display colors, and use real-time alerts for signal execution."
TSLA Reversal Alert: Harmonic + VWAP + RSI DivergenceWorking on a Bearish Harmonic Alert, and Bullish Harmonic Alert
Weekly PO3 Market Structure ToolThis script is designed to assist traders in identifying the "Power of Three" (PO3) model on a weekly basis — as taught by ICT (Inner Circle Trader).
It automatically plots:
- The **Weekly Open**, a crucial reference level for detecting manipulation zones.
- **Weekly High and Low**, to frame liquidity zones and potential sweep areas.
- A customizable **Manipulation Zone**, calculated as a percentage range above and below the weekly open.
The PO3 model breaks market structure into:
1. Accumulation (early-week range)
2. Manipulation (false breakouts and liquidity grabs)
3. Distribution (true directional move)
This tool helps visualize those stages and align trades with smart money behavior.
Best used on 1H, 4H, or 15M timeframes for clarity.
Tip: Combine with FVGs, Order Blocks, and time-of-day filters for enhanced setups.
RSI-BBGun-v6.1RSI BB Gun – Operator's Guide
“Eyes on target. Wait for the right moment. Then strike.”
________________________________________
🎯 Mission Objective
RSI BB Gun identifies extreme market conditions using RSI and Bollinger Bands, then overlays trend and volatility intelligence so you know when the setup is real.
The ❌ is your target acquisition signal—price just moved from an extreme zone back into play. Now you’ve got a clean radar lock.
________________________________________
📡 How to Operate
🟣 Step 1: Watch for the ❌'s (Black X = RSI & Bollinger Band Extremes Encountered)
• The Purple X means price and RSI are both stretched—and just snapped back into range.
• The target is now in the cross hairs and potentially ready for engagement.
🟥 Step 2: Confirm the Trend
• The thick ribbon tells you if the trend is with you:
o 🟢 Green = Uptrend. Focus on long setups.
o 🔴 Red = Downtrend. Focus on puts or short plays.
• Align with trend. Only engage when the field favors your position.
🔺 Step 3: Evaluate Signal Context
• Green Triangles = price just crossed below lower Bollinger Band (oversold).
• Red Triangles = price crossed above upper Band (overbought).
• Horizontal Lines Disappeared = The bar after the green or red horizontal line disappears means its time. We patiently wait for this as it means the momentum may be changing.
• These are your early indicators—they scout the setup on the GO / NO GO DECISION.
• ❌ + triangle + trend = clean shot.
________________________________________
☁️ Avoid These Situations
• ❌ in a choppy/no-trend zone = false alarm. Don’t engage.
• Repeated black ❌s without a purple ❌confirmation = low conviction. Let it go.
________________________________________
________________________________________
🪖 Operator's Mindset
“You don’t chase trades. You stalk them. When the ❌ flashes, the system has found a target. What you do next is up to your discipline, your tools, and your plan.”
________________________________________
Note: This is a free version. Upcoming paid version includes multi-timeframes working together. Multiple strategies. Volatility meter. Make money and master the BB Gun so that you can elevate to the Snipers weapon.
🔒 Want More Firepower?
Upgraded version coming soon. Unlocks next-gen targeting tools:
• Multi-timeframe RSI intelligence in a live dashboard
• Precision-timed combo signals based on layered volatility + RSI logic
• Advanced trend filters, trade zone overlays, and sniper-level entry indicators
• Ideal for swing traders and options strategists who want clarity under pressure
💥 Budget-friendly. No subscription. Upgrade when you're ready to go Pro.
Tip: Make 4+ trades mastering this setup. Then use a small portion of the trades to gain more features. Always be in a position you cannot lose.
🆚 Why This Beats Standard RSI/BB Tools
Mission Feature Basic Indicators RSI Ribbon Lite
Trend Confirmation ❌ ✅ Ribbon Overlay
Multi-Timeframe Awareness ❌ ✅ 5-Timeframe RSI Grid
Volatility Confirmation ❌ ✅ Weighted ATR Scoring
Combo Signal Alerts ❌ ✅ ❌ Reentry Combo Alerts
TradingView Alerts ❌ ✅ Built-In Radar Ping
#rsi #bb #bollingerbands #hull ma #trend
Cambist with RSI Divergenceits an advanced indicator of cambist with RSI divergence exclusively for sarmaaya.
Turtle Trading Strategy (Simplified)This TradingView script is a powerful implementation of the classic Turtle Trading strategy, designed to help traders capitalize on significant market trends. Built using Pine Script, it can function as an indicator to highlight the specific entry and exit signals derived from the Turtle rules, or as a fully automated strategy to execute trades based on these signals. Users can fine-tune critical parameters like the lookback periods for breakouts and exits, enabling them to adapt the strategy to different market conditions and asset classes. The script leverages Pine Script's robust capabilities to accurately calculate and display the Turtle System's core logic, including position sizing based on volatility (ATR), providing a clear and systematic approach to trend-following directly on their TradingView charts.
Recuadro 06:00–07:30 NY extendido hasta 11:00 con DRThis indicator includes the daily range between 6 am to 7.30 am ny time acoordinly to quarterly theory
Recuadro 06:00–07:30 NY extendido hasta 11:00 con DRDefining Range 6:00 am -7:30 am NY time
This indicator includes the daily range between 6:00am -7:30 am according to quarterly Theory
Weekly Open LineThis script is designed to assist traders in identifying the "Power of Three" (PO3) model on a weekly basis — as taught by ICT (Inner Circle Trader).
It automatically plots:
- The **Weekly Open**, a crucial reference level for detecting manipulation zones.
- **Weekly High and Low**, to frame liquidity zones and potential sweep areas.
- A customizable **Manipulation Zone**, calculated as a percentage range above and below the weekly open.
The PO3 model breaks market structure into:
1. Accumulation (early-week range)
2. Manipulation (false breakouts and liquidity grabs)
3. Distribution (true directional move)
This tool helps visualize those stages and align trades with smart money behavior.
Best used on 1H, 4H, or 15M timeframes for clarity.
Tip: Combine with FVGs, Order Blocks, and time-of-day filters for enhanced setups.
Stratejim V3 ST + RSI + MACDdeneme V2
SuperTrend, Rsı ve Macd Al koşulları kendimizin belirlediği TP & SL strateji
波段过滤器 V4Core Features
Based on an enhanced WaveTrend (WT) oscillator, this tool quantifies the degree of “momentum deviation” from short-term price averages in real time.
Fixed ±threshold levels divide conditions into three tiers: Mild / Moderate / Strong overbought-oversold zones, visually marked with red/green bricks placed outside the threshold lines.
Optional built-in ATR volatility filter to eliminate false extremes in low-volatility areas.
Automatically generates two alert conditions (WT_Box_Over / WT_Box_Under) compatible with TradingView push notifications or Webhooks.
How to Use
Apply to any timeframe from 5-minute to weekly charts.
Fine-tune sensitivity in 3 seconds using four intuitive sliders: n1/n2, threshold, tier step size, and ATR ratio.
When two consecutive bricks appear together with a top/bottom divergence, it signals a high-probability mean reversion zone.
Ideal for: Short-term momentum traders, swing traders, and trend followers who rely on visual “extreme condition alerts.”