Day Trading Indicator(Scalp Kim)daytrading 15m
Auto S/R
auto day refresh
long / short
easy to trading
Indicators and strategies
Crystal Momentum Indicator📈 Crystal Momentum Indicator
The Crystal Momentum Indicator is designed to help traders identify momentum shifts and trend continuation opportunities across multiple timeframes. It's especially useful for scalpers on the M1 chart and intraday traders using the H1 timeframe.
🔍 How to Use:
When the momentum line turns green and finds support from the green zone, it suggests bullish conditions. Combine this signal with your trading strategy to look for buy opportunities or trend continuation setups.
When the momentum line turns red, especially after resistance near the red zone, it reflects bearish conditions. Use this to align with your strategy for sell opportunities or bearish momentum continuation.
✅ Key Features:
Multi-timeframe momentum detection
Clear visual cues (green = bullish, red = bearish)
Optimized for scalping and short-term trading
Automatically adjusts to selected timeframe
⚠️ Disclaimer:
Always trade with proper risk management. This tool is for educational and analytical purposes only. It works best when combined with your own strategy and a disciplined trading plan.
Swing Exit System with Legend Dashboard — Smart + Stylish“They say it’s more important when you buy than when you sell — but this script begs to differ.”
In the real world of trading, the exit is often more important than the entry. A bad exit can turn a winning trade into a loss. A late exit can leave you bag-holding. A premature exit can cause regret as the trade runs without you. That’s where this script steps in — built to guide you through intelligent, data-driven exits with visual clarity and confidence.
🧠 What This Script Does
This is a swing trade exit assistant, not just a signal plotter. It uses seven distinct exit conditions — all grounded in technical structure and momentum — to alert you when it's time to consider reducing or closing a position. Each condition is visualized using a unique, color-coded triangle on the chart for quick interpretation. All signals are also listed in a dynamic legend panel.
🎯 The Exit Signals Include:
10 SMA Break (🟠) – Signals short-term momentum loss
20 SMA Break (🔵) – Stronger loss of trend support
SMA Cross (🔴) – Fast SMA crossing below slow SMA = trend weakening
ATR Stop Hit (🟥) – Price breaks below a trailing ATR stop
RSI Momentum Fade (🟣) – RSI drops below 50 after being overbought
RSI Bearish Divergence (🟪) – Momentum diverges from price
Lower High / Lower Low (⚫️) – Classic bearish market structure
Each triangle matches the color of its entry in the exit legend dashboard, which appears as a floating table on the lower right of the screen for maximum clarity without clutter.
📊 Also Displayed:
Live ATR value – Helps evaluate volatility and stop distance
Fast SMA (10) & Slow SMA (20) – See trend context and potential crossovers
Upper/lower ATR bands for visual trailing stops
🧰 Why This Matters
This script isn’t about blindly following signals — it’s about supporting decision-making. It helps you exit trades with intention, not emotion. It’s built for:
Swing traders who hold for 2–10 bars
Traders using multi-condition filters
Visual thinkers who want signal and structure in sync
Exit too early and you leave money on the table. Exit too late and you give it all back. This tool gives you the structure to exit when the chart says so, not when your nerves do.
Liquidity ZonesWhat It Does:
Liquidity Zones identifies key areas where institutional traders target stop orders. The indicator automatically detects significant price swings and maps the upper and lower wick zones where liquidity pools form. These zones represent high-probability areas where price is likely to return to collect stop orders before continuing its next move.
How To Use:
Identify Key Zones:
-Red zones highlight Buy Side Liquidity (resistance areas)
-Green zones highlight Sell Side Liquidity (support areas)
Trading Opportunities:
-Enter trades when price respects these zones
-Watch for zone breaks and re-tests for continuation signals
-Use alerts to notify you when price enters a zone or when new zones form
Optimization Tips:
-Adjust lookback periods based on volatility (higher for calmer markets)
-Enable auto-threshold for adaptive sensitivity to market conditions (default setting)
-Most effective on timeframes 4H and above
The indicator tracks when zones are broken and automatically removes them when price returns, providing a clean, uncluttered view of the most relevant liquidity areas on your chart.
xujie 策略// This Pine Script® code is subject to the terms of the Mozilla Public License 2.0 at mozilla.org
// © kaustime
//@version=6
strategy("xujie 策略", overlay=true, fill_orders_on_standard_ohlc = true)
// my_ma(src,length,my_type="sma")=>
// ma = 0.0
// if my_type == 'sma'
// ma := ta.sma(src, length)
// if my_type == 'ema'
// ma := ta.ema(src, length)
// if my_type == 'wma'
// ma := ta.wma(src, length)
// if my_type == 'hma'
// ma := ta.hma(src, length)
// if my_type == 'rma'
// ma := ta.rma(src, length)
// if my_type == 'vwma'
// ma := ta.vwma(src, length)
// ma
// myt_type1 = input.string("sma",
// "fastma",options = ,inline = "ma",group = "ma setting")
// int length1 = input.int(20,"fastma length",group = "ma setting")
// myt_type2 = input.string("sma",
// "slowma",options = ,inline = "ma",group = "ma setting")
// int length2 = input.int(200,"slowma length",group = "ma setting")
// ma1 = my_ma(close,length1,myt_type1)
// ma2 = my_ma(close,length2,myt_type2)
// long_ma = ta.crossover(ma1,ma2)
// short_ma = ta.crossunder(ma1,ma2)
// plot(ma1,color=color.white,linewidth = 3)
// plot(ma2,color=color.red,linewidth = 3)
//----------------------------------------------------------------------------------------------------rsi지표
alertcondition(3 >= 2, title='Alert on Green Bar', message='Green Bar!')
rsilength = input.int(14,"data",group = "rsi")
sx = input.int(70,"우선",group = "rsi")
xx = input.int(30,"아래선",group = "rsi")
zx = input.int(50,"중선",group = "rsi")
rsi=ta.rsi(close,rsilength)
plot(rsi,"rsi")
hline(sx,"우선")
hline(xx,"아래선")
hline(zx,"중선")
//xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
long_rsi = ta.crossover(rsi,xx)//아래선
long_close = ta.crossover(rsi,sx)//우선
short_rsi = ta.crossunder(rsi,sx)
short_close = ta.crossunder(rsi,xx)
//-------------------------------------------------------------------------- 윌리암스 지표
length = input.int(14, minval=1, title="길이",group = "williams'")
overbought = input.int(-20, title="Overbought Level",group = "williams'")// -20
oversold = input.int(-80, title="Oversold Level",group = "williams'") //-80
highestHigh = ta.highest(high, length)
lowestLow = ta.lowest(low, length)
percentR = -100 * (highestHigh - close) / (highestHigh - lowestLow)
// plot(percentR, title="Williams %R", color=color.blue, linewidth=2)
// hline(overbought, title="Overbought", color=color.red, linestyle=hline.style_dashed)
// hline(oversold, title="Oversold", color=color.green, linestyle=hline.style_dashed)
// hline(-50, title="Midpoint", color=color.gray, linestyle=hline.style_dotted)
//xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
long_percentR = ta.crossover(percentR,oversold)//아래선
long_percentR_close = ta.crossover(percentR,overbought)//우선
short_percentR = ta.crossunder(percentR,overbought) //우선 -20
short_percentR_close = ta.crossunder(percentR,oversold)//아래선 -80
//----------------------------------------------------------------------------------------볼린저 밴드 지표
int bb1 = input.int(20,'길이',group = "bb")
int bb2 = input.int(2,'멀티',group = "bb")
bb_type = input.string("sma",'출처',options = ,group = "bb")
f_bb(src, length, mult,bb_type='sma') =>
float basis = na
if bb_type == 'sma'
basis := ta.sma(src, length)
if bb_type == 'ema'
basis := ta.ema(src, length)
if bb_type == 'wma'
basis := ta.wma(src, length)
if bb_type == 'hma'
basis := ta.hma(src, length)
if bb_type == 'rma'
basis := ta.rma(src, length)
if bb_type == 'vwma'
basis := ta.vwma(src, length)
float dev = mult * ta.stdev(src, length)
= f_bb(close, bb1, bb2,bb_type)
// plot(pineMiddle,color=color.red) // 중선
// plot(pineUpper)//웃선
// plot(pineLower,color=color.white)//밎선
// plot(close,color = color.rgb(228, 243, 11))
//xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
bb_long = ta.crossover(close,pineLower)//웃선
bb_close = ta.crossunder(close,pineUpper)//웃선
short_bb = ta.crossunder(close,pineUpper) //우선
short_bb_close = ta.crossunder(close,pineLower)//아래선
if long_rsi and bb_long and long_percentR//and long_percentR and bb_long
alert("매수신호",alert.freq_all)
strategy.entry('long',strategy.long,alert_message = "매수신호")
if long_close and bb_close and long_percentR_close//and long_percentR and bb_long
strategy.close('long')
if short_rsi and short_bb and short_percentR//and long_percentR and bb_long
alert("매도신호",alert.freq_all)
strategy.entry('short',strategy.short,alert_message = "매도신호")
if short_close and short_bb_close //and long_percentR and bb_long
strategy.close('short')
//alert("매도",alert.freq_all)
GOYD📊 GOYD (Daily Average Percentage Change) Indicator
Created by: Emre Yavuz - @emreyavuz84
This indicator calculates and displays the average daily percentage change for each day of the week. It helps traders identify which days tend to be more volatile, offering valuable insights for timing strategies and market behavior analysis.
=================================================================================
🔧 How It Works
Daily Percentage Change Calculation:
For each candle, the indicator calculates the percentage change using the formula:
Percentage Change = (High - Low) / Low * 100
=================================================================================
Day-Based Data Collection:
The script stores the daily percentage changes in separate arrays for each day of the week:
Monday → mondayChanges
Tuesday → tuesdayChanges
...
Sunday → sundayChanges
================================================================================
Average Calculation:
For each day, the script calculates the average of all recorded percentage changes. This gives a historical view of how volatile each weekday tends to be.
=================================================================================
Visual Table Display:
A table is displayed in the top-right corner of the chart, showing:
Column 1: Day of the week
Column 2: Average percentage change for that day
=================================================================================
🎯 Use Cases
This indicator is useful for:
Weekly Volatility Analysis: Identify which days are historically more volatile.
Timing Strategies: Optimize entry/exit points based on day-specific behavior.
Data-Driven Decisions: Make informed choices using historical volatility trends.
================================================================================
🎨 Customization
The table color can be customized via the _tc input parameter.
The indicator is set to display directly on the chart (overlay=true).
If you find this indicator helpful, feel free to like, comment, or add it to your favorites. Your feedback is always appreciated! 📈
Alt/BTC Dominance Ratio v1📊 Alt/BTC Dominance
Индикатор анализа фаз альтсезона и доминирования BTC через капитализацию
🔍 Что делает индикатор:
Индикатор рассчитывает уникальное соотношение:
(OTHERS + BTC в долларах) / TOTAL3
где:
• OTHERS — капитализация всех альткоинов, исключая BTC и ETH;
• BTC в долларах — пересчитанная капитализация биткойна на основе его текущей доминации (BTC.D);
• TOTAL3 — капитализация альткоинов без BTC и ETH.
📈 Зачем это нужно?
Индикатор показывает, насколько BTC и остальные мелкие альткоины (OTHERS) влияют на рынок альткоинов без ETH. Это может помочь:
• определить начало альтсезона;
• выявить перегрев рынка;
• понять фазы перераспределения капитала между BTC и альтами.
🟢 Ключевые функции:
• ✅ Цветовые зоны:
• 🟩 Зелёный фон: значение ниже уровня накопления (например, < 1.5) — возможный старт альтсезона.
• 🟥 Красный фон: значение выше уровня перегретости (например, > 3.5) — возможная зона для фиксации прибыли.
• 📘 Синяя пунктирная линия (медиана):
• Рассчитывается автоматически как среднее между верхним и нижним порогами.
• Показывает центр диапазона для удобства восприятия.
• 📢 Алерты:
• Можно установить уведомления, когда индикатор входит в зелёную или красную зону.
⚙️ Что можно настраивать:
• Уровень накопления (нижний порог)
• Уровень перегретости (верхний порог)
Значения задаются вручную в настройках индикатора, и медиана обновляется автоматически.
🎯 Как использовать в трейдинге:
• Когда индикатор ниже уровня накопления — это может сигнализировать о потенциальной недооценке альткоинов без ETH.
• Когда он выше уровня перегрева — это может означать пик фазы альтсезона.
• Сравнение текущего значения с медианой помогает понять, где рынок находится относительно «баланса».
CandelaCharts - Turtle Soup Model📝 Overview
The ICT Turtle Soup Model indicator is a precision-engineered tool designed to identify high-probability reversal setups based on ICT’s renowned Turtle Soup strategy.
The Turtle Soup Model is a classic reversal setup that exploits false breakouts beyond previous swing highs or lows. It targets areas where retail traders are trapped into breakout trades, only for the price to reverse sharply in the opposite direction.
Price briefly breaks a previous high (for short setups) or low (for long setups), triggering stop orders and pulling in breakout traders. Once that liquidity is taken, smart money reverses price back inside the range, creating a high-probability fade setup.
📦 Features
Liquidity Levels: Projects forward-looking liquidity levels after a Turtle Soup model is formed, highlighting potential price targets. These projected zones act as magnet levels—areas where price is likely to reach based on the liquidity draw narrative. This allows traders to manage exits and partials with more precision.
Market Structure Shift (MSS): Confirms reversal strength by detecting a bullish or bearish MSS after a sweep. Acts as a secondary confirmation to filter out weak setups.
Custom TF Pairing: Choose your own combination of entry timeframe and context timeframe. For example, trade 5m setups inside a 1h HTF bias — perfect for aligning microstructure with macro intent.
HTF & LTF PD Arrays: Displays HTF PD Arrays (e.g., Fair Value Gaps, Inversion Fair Value Gaps) to serve as confluence zones.
History: Review and backtest past Turtle Soup setups directly on the chart. Toggle historical models on/off to study model behavior across different market conditions.
Killzone Filter: Limit signals to specific trading sessions or time blocks (e.g., New York AM, London, Asia, etc). Avoid signals in low-liquidity or choppy environments.
Standard Deviation: Calculates and projects four levels of standard deviation from the point of model confirmation. These zones help identify overextended moves, mean-reversion opportunities, and confluence with liquidity or PD arrays.
Dashboard: The dashboard displays the active model type, remaining time of the HTF candle, current bias, asset name, and date—providing real-time context and signal clarity at a glance.
⚙️ Settings
Core
Status: Filter models based on status
Bias: Controls what model type will be displayed, bullish or bearish
Fractal: Controls the timeframe pairing that will be used
High Probability Models: Detects and plots only the high-probability models
Sweeps
Sweep: Shows the sweep that forms a model
I-sweep: Controls the visibility of invalidated sweeps
D-purge: Plots the double purge sweeps
S-area: Highlights the sweep area
Liquidity
Liquidity: Displays the liquidity levels that belong to the model
MSS
MSS: Displays the Market Structure Shift for a model
History
History: Controls the number of past models displayed on the chart
Filters
Asia: Filter models based on Asia Killzone hours
London: Filter models based on London Killzone hours
NY AM: Filter models based on NY AM Killzone hours
NY Launch: Filter models based on NY Launch Killzone hours
NY PM: Filter models based on NY PM Killzone hours
Custom: Filter models based on user Custom hours
HTF
Candles: Controls the number of HTF candles that will be visible on the chart
Candles T: Displays the model’s third timeframe candle, which serves as a confirmation of directional bias
NY Open: Display True Day Open line
Offset: Controls the distance of HTF from the current chart
Space: Controls the space between HTF candles
Size: Controls the size of HTF candles
PD Array: Displays ICT PD Arrays
CE Line: Style the equilibrium line of PD Array
Border: Style the border of the PD Array
LTF
H/L Line: Displays on the LTF chart the High and Low of each HTF candle
O/C Line: Displays on the LTF chart the Open and Close of each HTF candle
PD Array: Displays ICT PD Arrays
CE Line: Style the equilibrium line of PD Array
Border: Style the border of the PD Array
Standard Deviation
StDev: Controls standard deviation of available levels
Labels: Controls the size of standard deviation levels
Lines: Controls the line widths and color of standard deviation levels
Dashboard
Panel: Display information about the current model
💡 Framework
The Turtle Soup Model is designed to detect and interpret false breakout patterns by analyzing key price action components, each playing a vital role in identifying liquidity traps and generating actionable reversal signals.
The model incorporates the following timeframe pairing:
15s - 5m - 15m
1m - 5m - 1H
2m - 15m - 2H
3m - 30m - 3H
5m - 60m - 4H
15m - 1H - 8H
30m - 3H - 12H
1H - 4H - 1D
4H - 1D - 1W
1D - 1W - 1M
1W - 1M - 6M
1M - 6M - 12M
Below are the key components that make up the model:
Sweep
D-purge
MSS
Liquidity
Standard Deviation
HTF & LTF PD Arrays
The Turtle Soup Model operates through a defined lifecycle that identifies its current state and determines the validity of a trade opportunity.
The model's lifecycle includes the following statuses:
Formation (grey)
Invalidation (red)
Pre-Invalidation (purple)
Success (green)
By incorporating the phases of Formation, Invalidation, and Success, traders can effectively manage risk, optimize position handling, and capitalize on the high-probability opportunities presented by the Turtle Soup Model.
⚡️ Showcase
Introducing the Turtle Soup Model — a powerful trading tool engineered to detect high-probability false breakout reversals. This indicator helps you pinpoint liquidity sweeps, confirm market structure shifts, and identify precise entry and exit points, enabling more confident, informed, and timely trading decisions.
LTF PD Array
LTF PD Arrays are essential for model formation—a valid Turtle Soup setup will only trigger if a qualifying LTF PD Array is present near the sweep zone.
HTF PD Array
HTF PD Arrays provide macro-level context and are used to validate the direction and strength of the potential reversal.
Timeframe Alignment
In the Turtle Soup trading model, timeframe alignment is an essential structural component. The model relies on multi-timeframe context to identify high-probability reversal setups based on failed breakouts.
High-Probability Model
A high-probability setup forms when key elements align: a Sweep, Market Structure Shift (MSS), LTF and HTF PD Arrays.
Killzone Filters
Filter Turtle Soup Models based on key market sessions: Asia, London, New York AM, New York Launch, and New York PM . This allows you to focus on high-liquidity periods where smart money activity is most likely to occur, improving both the quality and timing of your trade setups.
Unlock your trading edge with the Turtle Soup Model — your go-to tool for sharper insights, smarter decisions, and more confident execution in the markets.
🚨 Alerts
This script offers alert options for all model types. The alerts need to be set up manually from TradingView.
Bearish Model
A bearish model alert is triggered when a model forms, signaling a high sweep, MS,S and LTF PD Array.
Bullish Model
A bullish model alert is triggered when a model forms, signaling a low sweep, MSS and LTF PD Array.
⚠️ Disclaimer
These tools are exclusively available on the TradingView platform.
Our charting tools are intended solely for informational and educational purposes and should not be regarded as financial, investment, or trading advice. They are not designed to predict market movements or offer specific recommendations. Users should be aware that past performance is not indicative of future results and should not rely on these tools for financial decisions. By using these charting tools, the purchaser agrees that the seller and creator hold no responsibility for any decisions made based on information provided by the tools. The purchaser assumes full responsibility and liability for any actions taken and their consequences, including potential financial losses or investment outcomes that may result from the use of these products.
By purchasing, the customer acknowledges and accepts that neither the seller nor the creator is liable for any undesired outcomes stemming from the development, sale, or use of these products. Additionally, the purchaser agrees to indemnify the seller from any liability. If invited through the Friends and Family Program, the purchaser understands that any provided discount code applies only to the initial purchase of Candela's subscription. The purchaser is responsible for canceling or requesting cancellation of their subscription if they choose not to continue at the full retail price. In the event the purchaser no longer wishes to use the products, they must unsubscribe from the membership service, if applicable.
We do not offer reimbursements, refunds, or chargebacks. Once these Terms are accepted at the time of purchase, no reimbursements, refunds, or chargebacks will be issued under any circumstances.
By continuing to use these charting tools, the user confirms their understanding and acceptance of these Terms as outlined in this disclaimer.
Breakout Indicator + OB & FVG📈 Breakout Indicator + OB & FVG
This script is designed to assist with identifying potential breakout zones following periods of low volatility or price consolidation. It integrates price structure analysis with optional lunar phase filtering for enhanced visual insights.
🔍 Key Features
Consolidation Detection: Automatically identifies price ranges with low volatility over a user-defined lookback period.
Breakout Signals: Highlights potential breakout zones when price moves beyond consolidation range highs or lows.
Take-Profit & Stop-Loss Levels: Automatically calculates three TP levels and one SL level based on user-defined multipliers.
Lunar Filter (Optional): Applies a visual overlay during full moon phases as a unique experimental timing filter.
Visual Elements:
Entry/TP/SL levels shown on chart with colored lines and labels.
Consolidation zones shaded with customizable colors.
Dynamic panel with volatility metrics and last signal info.
⚙️ Inputs & Customization
Adjustable lookback period, volatility threshold, and risk multipliers.
Optional lunar phase aggression multiplier.
Full customization of zone colors, label visibility, and transparency.
📌 Disclaimer
This indicator is a visual tool for analysis and does not provide financial advice or guaranteed outcomes. Its purpose is to support discretionary decision-making, not replace it. Past signals do not guarantee future performance. Always test tools thoroughly and use appropriate risk management.
🧠 Developer Notes
Based on simple volatility and price action mechanics.
The lunar filter is symbolic and not based on real astronomical data.
No repainting or future leaks; signals are generated based on confirmed candle closes.
Scalping Signal Filter with ATR + Dashboard TableATR as a numerical value to show good trading conditions
When RSI reaches over under a level it shows good buy / sell conditions
Volume spike detection system to indicate when volume is coming into the market
HTF RSI to help with MTF direction
Based on above trade statues is given when all conditions are met
GWG TRADER - TREND CLOUDENGLISH
Base Indicator Seeking Trend, Great for Scalp in M1 and M5 Simple Execution
For Buy:
Price above the cloud, enter with small position, stop immediately if price returns below the cloud.
For Sell:
Price below the cloud, enter with small position, stop immediately if price returns above the cloud.
Note:
Execution areas: premium and discount (High and Low).
Look for areas like lows and highs for these executions.
If it's "expensive" or at the "TOP," look to sell, then wait for the entry signal.
If it's "cheap" or at the "BOTTOM," look to buy, then wait for the entry signal.
There is a 200-period moving average following the price, which helps clarify execution. If the price is above the 200-period average, it's more comfortable to follow the buying trend. If below, look for a selling trend.
REMEMBER: The GWG TRADER CLOUD indicator provides basic directional assistance, it doesn’t guarantee profits. Following the described method can be promising, but use it with your strategy, not as a sole rule.
Regards
Weslley Loureiro
Intraday Performance TrackerA compact, efficient tool for active traders. It combines real-time intraday retracement tracking with daily market statistics — all in a customizable dashboard-style table.
🔹 What This Indicator Shows:
1. ADR% (Average Daily Range)
Shows average range volatility over the last N days.
Formula: (Average of (High / Low) over N days - 1) * 100
2. % Change (Daily)
Shows today's price movement relative to the previous close.
Formula: ((Close - Prev Close) / Prev Close) * 100
3. % Down from High
How much price has fallen from today's high.
Formula: ((High - Close) / High) * 100
4. % Up from Low
How much price has recovered from today’s low.
Formula: ((Close - Low) / Low) * 100
5. Daily Range (%)
Total intraday volatility.
Formula: ((High / Low) - 1) * 100
6. DCR (Daily Closing Range)
Shows where price closed within the day’s range.
Formula: ((Close - Low) / (High - Low)) * 100
7. Volume Change (%)
Compares today’s volume with yesterday’s.
Formula: ((Today Volume - Yesterday Volume) / Yesterday Volume) * 100
8. ↓ Drop from High (Intraday Tracker)
Measures how much price has dropped since the day’s high.
Auto-resets when a new high is made.
Formula: ((Day High - Lowest Low after High) / Day High) * 100
9. 🕒 Candles Since High
Counts the number of candles since the intraday high was made.
Resets on new high.
Note:
This tool is for analysis and planning — it does not generate buy/sell signals. Use it alongside your own trade setups.
Opening Range Break (ORB)📈 Opening Range Break (ORB) with Session Levels & Alerts
This indicator highlights key trading sessions (London, London–NY Overlap, NY PM) with automatic high/low range tracking, optional labels, and breakout alerts.
Features:
✅ Session range plotting (custom time & color)
🟦 Weekly high/low levels (optional)
🔔 Breakout + retest alert system (customizable per session)
📊 200 EMA trend overlay
🔥 Real candle high/low support even when using Heikin Ashi (toggle on/off)
Perfect for intraday traders looking to catch session breakouts or price action around key levels.
Current Time Zone HighlighterHow the indicator works:
Highlights with a background color the zone of 15 minutes before and 15 minutes after the current time for each day
Displays a vertical dashed line at the exact moment corresponding to the current time
Adds reference points at price highs and lows for the current time
Includes an informative label showing the current time and the set interval
Configurable parameters:
Color of the highlighted time zone
Number of minutes before and after the current time (default 15 minutes)
Option to show or hide the line at the exact current time
Color of the current time line
How to use the indicator:
Open TradingView and access the Pine Script editor
Copy the code from the artifact above
Save the script
Apply the indicator to any chart
The indicator will work automatically, highlighting the time zone that falls within the interval of ±15 minutes (or other interval you configure) from the current time, for each day in history and in real-time for the current day.
ULTIMATE SCREENERThis Strategy Screener is the ultimate tool which screens 40 instruments with a single strategy.
The Basic concept of using this is to create a strategy that has high win rate and screener scans for the required conditions and generate a buy or sell signals. The signals are valid for a short period. After which they disappear. Only the Strategy Entry point or Buy/Sell Signals are indicated in the screener.
The combination of Indicators used are displayed on the screener. Additionally the outcome of all unused indicators are also displayed as signals in the form of Direction Arrows below the Instrument Strategy Data.
You can get the Buy/Sell Signals Based on the settings of indicators you combine. Also you can filter out the unwanted signals using the Trend filter.
Zigzag Levels and Donchian Channel with Fibonacci Value are provided for entry and exit levels and stop loss values.
S/R levels are also provided.
The indicators that one can combine are as below.
EMA200
VWAP
Supertrend
UT Bot
SSL Hybrid
QQE
MACD
Stochastic
PSAR
Stochastic RSI
RSI
Awesome Oscillator
Linear Regression Candles
EMA Crossover
ADX
Directional Index
MACD
Momentum Oscillator
HVSA (hybrid Volume Spread Analysis)
Williams % Range
More Indicators can be added based upon requirements.
Ultimate strategy plusUltimate strategy, This is a strategy tester with multiple indicator combinations.
One can easily check the out comes of a strategy and the various combinations of indicators. Simply select the indicators you want to run and in the table columns set the condition such that signal 1 and signal 2 are equal.
Additionally a 3rd signal or 3rd indicator confirmation is taken. A buy/Sell is fired. And this will be hi-lighted for `n' candles after the event fires. This will be highlighted in the screener. Set the same values in the screener and you can screen a strategy across multiple instruments.
BS with PeriodThe “BS with Period” indicator visualizes the balance between buying and selling volume within each candle, and also tracks those volumes accumulated over a specified number of bars.
It first splits a candle’s total volume into two parts based on where the close sits: the closer the close is to the high, the larger the “buying” portion; the closer it is to the low, the larger the “selling” portion. This means that for any given volume you can see whether buyers or sellers were more active.
On the chart you see three column plots:
Gray for total volume
Red for the portion attributed to selling
Teal for the portion attributed to buying
Optionally, it also sums those buying and selling volumes over the last N bars and plots them as two lines. This gives you a medium-term view of which side is dominating: if the buying-volume line stays well above the selling-volume line, buyers are in control, and vice versa.
Traders use it to:
Spot sustained buying or selling pressure when one accumulated-volume line pulls ahead of the other.
Confirm trend accelerations or potential reversals when the balance shifts.
Adjust sensitivity by choosing a shorter period (more responsive, but noisier) or a longer period (smoother, but slower).
Overall, the indicator helps quantify the internal volume structure and the tug-of-war between buyers and sellers both within each candle and over your chosen look-back period.
LOOKGOLF ZONE V.1.3.1LOOKOLF ZONE V.1.3 - Advanced Support & Resistance Zone Detector
This indicator automatically identifies key support and resistance zones in the market using a proprietary algorithm. It highlights potential reversal areas where price action is likely to react, helping traders find optimal entry and exit points. Works effectively across all timeframes and markets. Customizable zone sensitivity and color settings available.
[blackcat] L1 Multi-Component CCIOVERVIEW
The " L1 Multi-Component CCI" is a sophisticated technical indicator designed to analyze market trends and momentum using multiple components of the Commodity Channel Index (CCI). This script calculates and combines various CCI-related metrics to provide a comprehensive view of price action, offering traders deeper insights into market dynamics. By integrating smoothed deviations, normalized ranges, and standard CCI values, this tool aims to enhance decision-making processes. It is particularly useful for identifying potential reversal points and confirming trend strength. 📈
FEATURES
Multi-Component CCI Calculation: Combines smoothed deviation, normalized range, percent above low, and standard CCI for a holistic analysis, providing a multifaceted view of market conditions.
Threshold Lines: Overbought (200), oversold (-200), bullish (100), and bearish (-100) thresholds are plotted for easy reference, helping traders quickly identify extreme market conditions.
Visual Indicators: Each component is plotted with distinct colors and line styles for clear differentiation, making it easier to interpret the data at a glance.
Customizable Alerts: The script includes commented-out buy and sell signal logic that can be enabled for automated trading notifications, allowing traders to set up alerts based on specific conditions. 🚀
Advanced Calculations: Utilizes a combination of simple moving averages (SMA) and exponential moving averages (EMA) to smooth out price data, enhancing the reliability of the indicator.
HOW TO USE
Apply the Script: Add the script to your chart on TradingView by searching for " L1 Multi-Component CCI" in the indicators section.
Observe the Plotted Lines: Pay close attention to the smoothed deviation, normalized range, percent above low, and standard CCI lines to identify potential overbought or oversold conditions.
Use Threshold Levels: Refer to the overbought, oversold, bullish, and bearish threshold lines to gauge extreme market conditions and potential reversal points.
Confirm Trends: Use the standard CCI line to confirm trend direction and momentum shifts, providing additional confirmation for your trading decisions.
Enable Alerts: If desired, uncomment the buy and sell signal logic to receive automated alerts when specific conditions are met, helping you stay informed even when not actively monitoring the chart. ⚠️
LIMITATIONS
Fixed Threshold Levels: The script uses fixed threshold levels (200, -200, 100, -100), which may need adjustment based on specific market conditions or asset volatility.
No Default Signals: The buy and sell signal logic is currently commented out, requiring manual activation if you wish to use automated alerts.
Complexity: The multi-component approach, while powerful, may be complex for novice traders to interpret, requiring a solid understanding of technical analysis concepts. 📉
Not for Isolation Use: This indicator is not designed for use in isolation; it is recommended to combine it with other tools and indicators for confirmation and a more robust analysis.
NOTES
Smoothing Techniques: The script uses a combination of simple moving averages (SMA) and exponential moving averages (EMA) for smoothing calculations, which helps in reducing noise and enhancing signal clarity.
Multi-Component Approach: The multi-component approach aims to provide a more nuanced view of market conditions compared to traditional CCI, offering a more comprehensive analysis.
Customization Potential: Traders can customize the script further by adjusting the parameters of the moving averages and other components to better suit their trading style and preferences. ✨
THANKS
Thanks to the TradingView community for their support and feedback on this script! Special thanks to those who contributed ideas and improvements, making this tool more robust and user-friendly. 🙏
V2_Livermore-Seykota Breakout)V2_ Livermore-Seykota Breakout Strategy
Objective: Execute breakout trades inspired by Jesse Livermore, filtered by trend confirmation (Ed Seykota) and risk-managed with ATR (Paul Tudor Jones style).
Entry Conditions:
Long Entry:
Close price breaks above recent pivot high.
Price is above main EMA (EMA50).
EMA20 > EMA200 (uptrend confirmation).
Current volume > 20-period SMA (volume confirmation).
Short Entry:
Close price breaks below recent pivot low.
Price is below main EMA (EMA50).
EMA20 < EMA200 (downtrend confirmation).
Current volume > 20-period SMA.
Exit Conditions:
Stop-loss: ATR × 3 from entry price.
Trailing stop: activated with offset of ATR × 2.
Strengths:
Trend-aligned entries with volume breakout confirmation.
Dynamic ATR-based risk management.
Inspired by principles of three legendary traders.
Scalping EMA + RSI Strategy (Long & Short)Scalping EMA with RSI Strategy.
Entry Criteria: Indicators, price action, or patterns triggering entries.
Stop Loss (SL): Fixed pips, ATR-based, or swing low/high.
Take Profit (TP): Fixed reward, trailing stop, or dynamic levels.
RRR Target: e.g., 1:1.5 or 1:2.
Histogram Ichimoku Cloud📘 Description
This is a simplified version of the Ichimoku Cloud indicator. Instead of lines and clouds, it shows the trend using a histogram (colored bars). It helps you quickly see the direction of the market.
📈 How To Use
Green = Uptrend (good time to look for buy opportunities)
Red = Downtrend (good time to look for sell opportunities)
Gray = No clear trend (wait and watch)
NY Open Range Tracker with Customizable EMA Cloudmarks the 5min opening range, waits for a 5min candle to open/close outside of the opening range placing a stop on the wick and a tp 150ticks away (customizable)
Bullish Bearish Signal with EMA Color + Labels Bullish & Bearish Signal with Dynamic EMA + MACD/RSI Confluence
This indicator provides clear BUY and SELL signals based on the confluence of trend, momentum, and strength — perfect for traders who want high-probability entries with minimal noise.
🔍 Key Features:
Dynamic EMA 200 Color
The EMA line changes color based on market bias:
🔵 Blue = Bullish Trend
🔴 Red = Bearish Trend
⚪ Gray = Neutral
BUY Signal Conditions:
Price is above EMA 200 (uptrend confirmation)
MACD line crosses above the Signal line (momentum shift)
RSI is above 50 (bullish strength)
SELL Signal Conditions:
Price is below EMA 200 (downtrend confirmation)
MACD line crosses below the Signal line
RSI is below 50 (bearish strength)
Stylish BUY/SELL Labels
Clean, readable markers appear directly on the chart at key turning points.
🎯 Ideal For:
Trend-following strategies
Scalpers and swing traders looking for cleaner entries
Confirming signals from your existing setup
Let the market tell you when it's ready — this tool helps you enter only when trend, momentum, and strength agree.
Happy trading! 🚀