Time Frame Color ClassifierTime Frame Colour Classifier
A professional Pine Script indicator that provides instant visual identification of trading sessions through intelligent colour-coded backgrounds.
Key Features
📅 Daily Session Colours
- Monday: Green | Tuesday: Blue | Wednesday: Yellow | Thursday: Red | Friday: Purple
📊 Weekly Classification
- Week 1-5 : Colour-coded by week of the month using the same colour scheme
## How It Works
Intraday Charts (1min-4H) : Shows daily colours - every candle on Monday displays green background, Tuesday shows blue, etc.
Daily/Weekly Charts : Switches to weekly colours - all days in Week 1 show green, Week 2 shows blue, etc.
Professional Applications
✅ Multi-Timeframe Analysis : Seamlessly switch between timeframes whilst maintaining visual context
✅ Session Recognition : Instantly identify which trading day you're analysing
✅ Pattern Analysis : Spot recurring patterns on specific days of the week
✅ Strategy Development : Incorporate temporal factors into trading strategies
✅ Performance Attribution : Correlate results with specific trading sessions
Customisation Options
- Toggle daily/weekly colours on/off
- Fully customisable colour schemes
- Adjustable background transparency
- Optional day labels
Technical Details
- Pine Script v5for optimal performance
- Automatic timeframe detection - no manual configuration required
- Minimal resource usage - won't slow down your charts
- Works on all chart types and timeframes
Perfect For
- Day traders switching between multiple timeframes
- Swing traders analysing weekly patterns
- Algorithmic strategy development
- Multi-timeframe market analysis
- Trading education and research
---
Developed by @wyckoffnawaf
Transform your chart analysis with visual timeframe clarity
Индикаторы и стратегии
SIC_TICKER_DATAThe SIC Ticker Data is an advanced and efficient library for ticker-to-industry classification and sector analysis. Built with enterprise-grade performance optimizations, this library provides instant access to SIC codes, industry classifications, and peer company data for comprehensive market analysis.
Perfect for: Sector rotation strategies, peer analysis, portfolio diversification, market screening, and financial research tools.
The simple idea behind this library is to pull any data related to SIC number of any US stock market ticker provided by SEC in order to see the industry and also see the exact competitors of the ticker.
The library stores 3 types of data: SIC number, Ticker, and Industry name. What makes it very useful is that you can pull any one of this data using the other. For example, if you would like to know which tickers are inside a certain SIC, or what's the SIC number of a specific ticker, or even which tickers are inside a certain industry, you can use this library to pull this data. The idea for data inside this library is to be accessible in any direction possible as long as they're related to each other.
We've also published a simple indicator that uses this library in order to demonstrate the inner workings of this library.
The library stores thousands of tickers and their relevant SIC code and industry for your use and is constantly updated with new data when available. This is a large library but it is optimized to run as fast as possible. The previous unpublished versions would take over 40 seconds to load any data but the final public version here loads the data in less than 5 seconds.
🔍 Primary Lookup Functions
createDataStore()
Initialize the library with all pre-loaded data.
store = data.createDataStore()
getSicByTicker(store, ticker)
Get SIC code for any ticker symbol.
sic = data.getSicByTicker(store, "AAPL") // Returns: "3571"
getIndustryByTicker(store, ticker)
Get industry classification for any ticker.
industry = data.getIndustryByTicker(store, "AAPL") // Returns: "Computer Hardware"
getTickersBySic(store, sic)
Get all companies in a specific SIC code.
software = data.getTickersBySic(store, "7372") // Returns: "MSFT,GOOGL,META,V,MA,CRM,ADBE,ORCL,NOW,INTU"
getTickersByIndustry(store, industry)
Get all companies in an industry.
retail = data.getTickersByIndustry(store, "Retail") // Returns: "AMZN,HD,WMT,TGT,COST,LOW"
📊 Array & Analysis Functions
getTickerArrayBySic(store, sic)
Get tickers as array for processing.
techArray = data.getTickerArrayBySic(store, "7372")
for i = 0 to array.size(techArray) - 1
ticker = array.get(techArray, i)
// Process each tech company
getTickerCountBySic(store, sic)
Count companies in a sector (ultra-fast).
pinescripttechCount = data.getTickerCountBySic(store, "7372") // Returns: 10
🎯 Utility Functions
tickerExists(store, ticker)
Check if ticker exists in database.
exists = data.tickerExists(store, "AAPL") // Returns: true
tickerInSic(store, ticker, sic)
Check if ticker belongs to specific sector.
isInTech = data.tickerInSic(store, "AAPL", "3571") // Returns: true
💡 Usage Examples
Example 1: Basic Ticker Lookup
// @version=6
import EdgeTerminal/SIC_TICKER_DATA/1 as data
indicator("Ticker Analysis", overlay=true)
store = data.createDataStore()
currentSic = data.getSicByTicker(store, syminfo.ticker)
currentIndustry = data.getIndustryByTicker(store, syminfo.ticker)
if barstate.islast and currentSic != "NOT_FOUND"
label.new(bar_index, high, syminfo.ticker + " SIC: " + currentSic + " Industry: " + currentIndustry)
Example 2: Sector Analysis
// @version=6
import EdgeTerminal/SIC_TICKER_DATA/1 as data
indicator("Sector Comparison", overlay=false)
store = data.createDataStore()
// Compare sector sizes
techCount = data.getTickerCountBySic(store, "7372") // Software
financeCount = data.getTickerCountBySic(store, "6199") // Finance
healthCount = data.getTickerCountBySic(store, "2834") // Pharmaceutical
plot(techCount, title="Tech Companies", color=color.blue)
plot(financeCount, title="Finance Companies", color=color.green)
plot(healthCount, title="Health Companies", color=color.red)
Example 3: Peer Analysis
// @version=6
import EdgeTerminal/SIC_TICKER_DATA/1 as data
indicator("Find Competitors", overlay=true)
store = data.createDataStore()
currentSic = data.getSicByTicker(store, syminfo.ticker)
if currentSic != "NOT_FOUND"
competitors = data.getTickersBySic(store, currentSic)
peerCount = data.getTickerCountBySic(store, currentSic)
if barstate.islast
label.new(bar_index, high, "Competitors (" + str.tostring(peerCount) + "): " + competitors)
Example 4: Portfolio Sector Allocation
// @version=6
import EdgeTerminal/SIC_TICKER_DATA/1 as data
indicator("Portfolio Analysis", overlay=false)
store = data.createDataStore()
// Analyze your portfolio's sector distribution
portfolioTickers = array.from("AAPL", "MSFT", "GOOGL", "JPM", "JNJ")
sectorCount = map.new()
for i = 0 to array.size(portfolioTickers) - 1
ticker = array.get(portfolioTickers, i)
industry = data.getIndustryByTicker(store, ticker)
if industry != "NOT_FOUND"
currentCount = map.get(sectorCount, industry)
newCount = na(currentCount) ? 1 : currentCount + 1
map.put(sectorCount, industry, newCount)
🔧 Advanced Feature
You can also bulk load data for large data sets like this:
// Pre-format your data as pipe-separated string
bulkData = "AAPL:3571:Computer Hardware|MSFT:7372:Software|GOOGL:7372:Software"
store = data.createDataStoreFromBulk(bulkData)
OSOK Protection Pad v2.1.2OSOK Protection Pad v2.1.2
The OSOK Protection Pad is a dynamic price action tool designed for active traders seeking precise visual cues for risk management and trade planning. This indicator automatically plots customizable protection pad levels above and below the current price, updating in real time as the market moves. Users can set the pad distance in points and personalize line color, style, and width for both buy (green, above price) and sell (red, below price) pads.
Key features:
Continuously adjusting pad lines that move with the current price, providing instant reference for stop placement or trade entry/exit zones.
Clean, non-intrusive visuals with dotted or solid lines and compact labels, ensuring clarity without obstructing price action.
Simple, intuitive settings panel for quick adjustments to pad distance and appearance.
Ideal for discretionary and systematic traders who want to reinforce discipline and structure in their intraday or swing trading routines.
Add the OSOK Protection Pad to your chart to enhance your risk management and stay visually aligned with your trading plan
Stochastic Trend Signal with MultiTF FilterIndicator Overview – Multi-Timeframe Stochastic Signal
This custom TradingView indicator combines multi-timeframe Stochastic analysis to generate high-probability, trend-following trading signals. It integrates:
Stochastic on the current timeframe to identify potential entry zones (overbought/oversold).
Stochastic on the 1D (daily) timeframe to confirm short-term trend direction.
Stochastic on the 1W (weekly) timeframe to filter out signals that go against the broader market trend.
🔔 Buy signals are triggered only when:
1D Stochastic > 50 (bullish bias),
Current timeframe Stochastic ≤ 20 (oversold),
After the first bullish candle,
And 1W Stochastic does not contradict the direction (must not be bearish).
🔻 Sell signals are triggered only when:
1D Stochastic < 50 (bearish bias),
Current timeframe Stochastic ≥ 80 (overbought),
After the first bearish candle,
And 1W Stochastic does not contradict the direction (must not be bullish).
The indicator also includes visual highlights:
✅ Green or red background when 1D and 1W trends align clearly.
⚠️ Gray background when 1D and 1W trends conflict — a warning to avoid low-probability setups.
📌 This indicator works best on the 4-hour (H4) timeframe, offering a balanced view between short-term signals and higher timeframe trend filters.
FInal Signal
This indicator for 4H timeframe by default
RSI + Moving Average of RSI from the 1-hour chart
MACD from the 1-hour chart
21 EMA from the 4-hour chart
5 EMA from the Daily chart
This multi-timeframe fusion offers strength: confirming shorter-term momentum with higher-timeframe support.
✅ Buy Conditions:
RSI is above its moving average → signals bullish momentum
MACD line > MACD signal line → confirms trend shift
RSI has upward slope (compared to 2 candles ago)
❌ Sell Conditions:
RSI falls below its moving average
MACD turns bearish (signal line overtakes)
RSI slopes downward
Price trades below daily EMA → confirms weakening trend
🔊 Volume Spike Detection
I also added a volume condition that checks:
If current volume > 2x the moving average (length = 10)
GOLDGoalGO"GOLDGoalGO" Indicator for TradingView
Introduction
The "GOLDGoalGO" indicator is designed to assist traders in analyzing short-term price movements of gold (XAUUSD). It provides buy and sell signals every 5 minutes, helping traders identify optimal entry and exit points based on recent price changes.
Concept and Functionality
Primary Goal: To offer clear and timely trading signals by analyzing short-term price trends, specifically tailored for 5-minute intervals.
How It Works: The indicator calculates the change in closing prices compared to the previous bar to generate buy and sell signals. These signals are only active during 5-minute timeframes, ensuring precision in short-term trading.
Signals Provided:
A buy signal (represented by an upward shape) appears when prices show upward momentum.
A sell signal (represented by a downward shape) appears when prices show downward momentum.
Visual Cues: The signals are displayed directly on the chart with intuitive shapes for quick recognition. Additionally, alert notifications are configured to inform you immediately when new signals occur.
How the Indicator Works in Detail
Timeframe Check: It activates only during 5-minute candlestick intervals to ensure signals are relevant for short-term trading.
Price Change Calculation: It compares the current close with the previous close to detect the direction of market movement.
Signal Generation:
If the price is increasing (positive change), a buy signal is generated.
If the price is decreasing (negative change), a sell signal is generated.
Chart Annotations: When a signal occurs, a shape appears on the chart indicating the optimal point for entering a trade.
Automated Alerts: The system sends a Thai-language notification every 5 minutes to alert you of new signals, enabling timely actions even when you're away from the screen.
How to Use
Paste this script into the Pine Editor in TradingView.
Click "Add to Chart" to activate the indicator.
Set up Alert rules:
Choose the alert condition for "Buy Signal" or "Sell Signal".
Select webhook or notification options to receive real-time alerts (for example, to Telegram).
The indicator provides real-time notifications every 5 minutes whenever new signals are generated.
Why Use This Indicator?
Simplicity: Designed for traders who prefer short-term, momentum-based trading strategies.
Timely Alerts: Signals are provided precisely every 5 minutes, helping you capitalize on short-term price movements.
Flexibility: Easily adaptable to other assets by adjusting the script if needed.
Summary
The "GOLDGoalGO" indicator helps traders stay on top of short-term market trends for gold, giving precise buy and sell signals every 5 minutes. With visual cues on the chart and notifications sent automatically in Thai, it ensures you're always informed of potential trading opportunities and can act swiftly to maximize profit.
Nidnoi 89 TheoryNidnoi Morning Trading style
// This strategy is based on a reversal logic applied to the 8AM candle (Bangkok Time, UTC+7).
// The logic is:
// - If the 8AM candle is bullish (green), it indicates potential exhaustion — enter a SELL at the 9AM open.
// - If the 8AM candle is bearish (red), it suggests a possible bounce — enter a BUY at the 9AM open.
// All trades are closed at the 10AM open, limiting exposure to 1 hour.
//
// This strategy is designed for XAUUSD on a 1-hour chart and aligns with short-term intraday reversal patterns.
// The actual time used in code (UTC+7) is 9PM for the 8AM candle, and 10PM for the exit at 10AM.
//
// Highlights are shown on the 8AM candle for visual confirmation.
// Make sure your chart is set to 1H timeframe and uses XAUUSD.
Break Above Real Bearish Open// This indicator is designed to help identify precise intraday entry points on lower timeframes.
// It tracks the most recent valid bearish candle—defined as a red candle whose close is lower than the low of the most recent bullish candle.
// When the price breaks above the open of that bearish candle with a bullish candle, a "Break↑" signal is shown.
// Minor pullback candles within uptrends are filtered out to reduce noise.
// The alert only triggers once per valid bearish setup, avoiding redundant signals.
// Ideal for detecting breakout opportunities after pullbacks in intraday trending markets.
// 이 인디케이터는 장중 분봉 기준에서 정밀한 진입 타이밍을 포착하는 데 도움을 줍니다.
// 최근 형성된 유효한 음봉(가장 최근 양봉의 저가보다 종가가 낮은 음봉)을 추적하며,
// 해당 음봉의 시가를 돌파하는 양봉이 등장할 경우, "Break↑" 신호를 차트에 표시합니다.
// 상승 중의 사소한 눌림 음봉은 자동으로 걸러내어 노이즈를 최소화합니다.
// 하나의 음봉에 대해 알림은 단 한 번만 발생하며, 중복되지 않도록 설계되어 있습니다.
// 분봉 흐름 속 눌림목 이후 돌파 구간을 자동으로 포착하고자 할 때 유용하게 활용할 수 있습니다.
EMA HMA ATF Trade SignalThis indicator is designed as a discretionary trading tool to highlight high-quality trade setups across 15-minute and similar intraday timeframes. It uses a multi-layered logic framework combining trend, momentum, structure, and timing filters. It is not meant to fire frequently — its strength is in filtering out noise and emphasizing clean, aligned market moves.
Lokie's RSI + VWAP + EMA Scalper [Fresh Edition]Lokie’s RSI + VWAP + EMA Scalper
Built for fast, smart scalping on 1–5 min charts. Combines RSI momentum, EMA crossovers, and VWAP zone bias to highlight clean buy/sell entries.
No FOMO signals. No fluff. Just tactical precision.
Perfect for momentum traders who want clarity, not clutter.
By DerekFWIN
Capitalife IndexCapitalife Index
Jahres Rendite seit 2008 basierend auf Backtesting & Live Ergebnisse
KZ TRADING _ BOT RSI,STOCH, MO HINH NENBot trade demo for m15 . it suitable for XAU, U.J. use RSI + Stoch RSI and candless pattem
Robbin hoodsomething good, this is ewrfiwevdcbdkjsdbvkj vasfdkjvsdvkjae dk;v asd vk;jsbdvkaeskv jkjsD v.kj awerekrv
Stop or Go?-Displaying RVOL as ratio now instead of percentage.
-Default startup location moved to bottom right with large size
K_RSI_ATR_ATR%_CMO_MACD_ADXThis indicator is combination of below indicators:
RSI
ATR
ATR%
CMO
MACD
ADX
EMA 21/50/150/200This indicator plots four Exponential Moving Averages (EMAs) on the chart to help identify trends, momentum, and potential support or resistance levels. The EMAs used are:
EMA 21 (Red): Captures short-term price momentum.
EMA 50 (Orange): Represents medium-term trend direction.
EMA 150 (Aqua): Shows the broader trend over a longer timeframe.
EMA 200 (Blue): Commonly used to identify major long-term trend direction and key support/resistance zones.
These EMAs are commonly used by swing traders and trend-following strategies to determine trend strength, pullback opportunities, or cross-based trade entries
BTST Top Gainer ScannerBTST Stock identifier- BETA
scanner configuration based on the validated BTST checklist. This scans for stocks likely to gain 5-10% intraday tomorrow when bought at today's close:
Execution Tips:
Run scanner at 3:20 PM IST daily
Filter stocks with:
FII/DII net buying (check moneycontrol)
Pre-market futures premium > 0.4%
No pending corporate actions
Position sizing formula: Qty = (1% Account Risk) / (1.5 * ta.atr(14))
Cross-verify with FII/DII activity (moneycontrol.com) - stocks with FII net buys have 23% higher success rate.
MA Band Zones with AlertsThis is a simple script with alerts.
Its a tool, helps traders, who works on price average range, to identify zones away from Moving average + and - side.
it will work on sma, ema, wma.
custom TF
custom source
alert 5 alert variation to choose from.
there is small glitch, kindly uncheck both the background boxes in in the input setting. it will removed in the next version
Wick x2 Body + 2-Candle Trend [Gold Futures]This indicator highlights potential reversal candles on Gold Futures using a combination of wick/body ratio and trend confirmation.
🔍 Logic:
Highlights a candle yellow when:
The wick is at least 2x the size of the body
The total candle size is ≥ 50 ticks (5 points)
The previous 2 candles are in the same direction (bullish or bearish) as the wick candle
📈 Interpretation:
Bullish Signal = Long lower wick on a green candle, following 2 bullish candles
Bearish Signal = Long upper wick on a red candle, following 2 bearish candles
Use this to spot overextended moves that may be due for a reversal — especially around key zones or session opens.
EdgeXplorer - Mitigation SignalsEdgeXplorer – Mitigation Signals
Trade structure. React with precision. Trail with logic.
EdgeXplorer – Mitigation Signals is a precision tool designed to help traders visually identify mitigation zones in price action — areas where liquidity is swept, structure shifts, and opportunities appear. Using smart detection logic, this script plots high-probability bullish or bearish zones, provides TP/SL range guidance, and includes a built-in trailing stop system — all while coloring candles dynamically for cleaner trend recognition.
This is for traders who trust the story behind the candle — not just the candle itself.
⸻
🔍 What It Does
This script detects and maps mitigation blocks, entry zones, targets, and dynamic stops based on key price action structures. You get:
• Real-time bullish and bearish mitigation zones
• Average basis line inside zones (optional)
• Auto-calculated take profit (TP) and stop-loss (SL) regions
• Adaptive trailing stop engine
• Full candle coloring override to clarify live trend bias
It’s a visual and logic-based system to simplify complex decisions.
⸻
⚙️ How It Works
1. Mitigation Signal Detection
It identifies bullish or bearish mitigation signals by analyzing recent wick and close structure. When a breakout fakeout occurs (e.g., price sweeps a high/low and closes opposite), a mitigation zone is drawn — marking potential reversal or continuation zones.
2. Zone Boxes + Labels
A colored zone box appears around the structural wick. Inside that zone, a dashed average line can also be shown — acting as a “basis” for break-and-retest or trailing logic.
3. Range Zones for TP/SL
Above or below the mitigation zone, the script draws:
• A range top for profit-taking (ATR-based)
• A range bottom if enabled — great for SL zones or alternate TP levels
4. Trailing Stop System
After a signal is fired, the script deploys a dynamic trailing stop based on ATR and your trend mode:
• Reset on every new signal (more reactive)
• Or only on opposite signal (more committed)
5. Candle Coloring Engine
As long as price stays inside the active move, candles are color-coded (wick and body). If a trailing stop is hit or the zone is breached, the override is removed.
⸻
📊 Inputs & Settings
Setting Description
Zone Width Filter Filters out narrow/weak setups using ATR distance logic
TP/SL Range Zones Show/hide TP (top) and optional SL (bottom) boxes with custom distance
Trailing Stop Logic Choose how and when the trail resets (signal vs inverse signal)
Bull/Bear Toggle Show/hide specific mitigation zone types (bullish/bearish)
Average Line Toggle the median line inside the zone
Candle Coloring Auto overrides candles when a valid move is active
⸻
🧠 Use It For…
• Scalping and Intra-Day Reversals
Quickly spot smart money moves with structural context and follow-through logic.
• Swing Trading Smart Entries
Wait for confirmation, then use the built-in trailing stop to manage trades with less emotion.
• Trend Continuation Filtering
Use the average line and trailing stop to stay in strong moves while filtering noise.
• Break & Retest Traders
Let the zone + average line show you where to re-enter or add with confidence.
⸻
🚨 Built-In Alerts
✅ Bullish Mitigation Signal
✅ Bearish Mitigation Signal
✅ Trailing Stop Flips
USDT + USDC Dominance USDT + USDC Dominance: This refers to the combined market capitalization of Tether (USDT) and USD Coin (USDC) as a percentage of the total cryptocurrency market capitalization. It measures the proportion of the crypto market held by these stablecoins, which are pegged to the US dollar. High dominance indicates a "risk-off" sentiment, where investors hold stablecoins for safety during market uncertainty. A drop in dominance suggests capital is flowing into riskier assets like altcoins, often signaling a bullish market or the start of an "alt season.