Hybrid: RSI + Breakout + DashboardHybrid RSI + Breakout Strategy
Adaptive trading system that switches modes based on market regime:
Ranging: Buys when RSI < 30 and sells when RSI > 70.
Trending: Enters momentum breakouts only in the direction of the 200-EMA bias, with ADX confirming trend strength.
Risk Management: Trailing stop locks profits and caps drawdown.
Optimized for BTC, ETH, and SOL on 1 h–1 D charts; back-tested from 2017 onward. Educational use only—run your own tests before deploying live funds.
Padrões gráficos
Bollinger Band Reversal Strategy//@version=5
strategy("Bollinger Band Reversal Strategy", overlay=true)
// Bollinger Band Parameters
length = input.int(20, title="BB Length")
src = input(close, title="Source")
mult = input.float(2.0, title="BB Multiplier")
basis = ta.sma(src, length)
dev = mult * ta.stdev(src, length)
upper = basis + dev
lower = basis - dev
plot(basis, "Basis", color=color.gray)
plot(upper, "Upper Band", color=color.red)
plot(lower, "Lower Band", color=color.green)
// Get previous and current candle data
prev_open = open
prev_close = close
cur_close = close
// Check for upper band touch and reversal
bearish_reversal = high >= upper and cur_close < prev_open
// Check for lower band touch and reversal
bullish_reversal = low <= lower and cur_close > prev_open
// Plotting arrows
plotshape(bearish_reversal, title="Down Arrow", location=location.abovebar, color=color.red, style=shape.arrowdown, size=size.small)
plotshape(bullish_reversal, title="Up Arrow", location=location.belowbar, color=color.green, style=shape.arrowup, size=size.small)
// Optional: Add strategy entry signals
if (bullish_reversal)
strategy.entry("Buy", strategy.long)
if (bearish_reversal)
strategy.entry("Sell", strategy.short)
BB Vicinity Reversal SignalsThis indicator detects potential intraday reversal opportunities based on price action near the outer edges of Bollinger Bands (±2.7 std dev). Unlike traditional Bollinger Band signals that require strict band touches or crossings, this tool identifies reversals that occur in the vicinity of the outer bands, increasing signal frequency while maintaining logical precision.
✅ Key Features:
Buy Signal: Triggered when a bullish candle with a strong body forms near the lower Bollinger Band.
Sell Signal: Triggered when a bearish candle with a strong body forms near the upper Bollinger Band.
Vicinity logic: User-adjustable % range from the outer bands (default: 20%) to define how close price must be.
Body-to-candle ratio filter: Ensures that only meaningful directional candles trigger signals.
No repainting: All signals are generated in real-time based on confirmed candle closes.
Built-in alerts: Receive instant notifications for buy and sell setups.
This tool is ideal for traders looking to capture high-probability mean-reversion trades without being overly restrictive. It works well on intraday timeframes like 5m, 15m, and 1h.
10 Monday's 1H Avg Range + 30-Day Daily Range🇬🇧 English Version
This script is especially useful for traders who need to measure the range of the first four 15-minute candles of the week.
It provides three key pieces of information :
🕒 Highlights the First 4 Candles
Marks the first four 15-minute candles of the week and displays the total range between their high and low.
📊 10-Week Average (Yellow Line)
Shows the average range of those candles over the last 10 weeks, allowing you to compare the current week with past patterns.
📈 30-Day Daily Candle Average (Green Line)
Displays the average range of the last 30 daily candles.
This is especially useful when setting the Stop Loss, as a range greater than 1/3 of the daily average may make it difficult for the trade to close on the same day.
Feel free to contact me for upgrades or corrections.
– Bernardo Ramirez
🇵🇹 Versão em Português (Corrigida e Estilizada)
Este script é especialmente útil para traders que precisam medir o intervalo das quatro primeiras velas de 15 minutos da semana.
Ele oferece três informações principais :
🕒 Destaque das 4 Primeiras Velas
Marca as primeiras quatro velas de 15 minutos da semana e exibe o intervalo total entre a máxima e a mínima.
📊 Média de 10 Semanas (Linha Amarela)
Mostra a média do intervalo dessas velas nas últimas 10 semanas, permitindo comparar a semana atual com padrões anteriores.
📈 Média dos Últimos 30 Candles Diários (Linha Verde)
Exibe a média do intervalo das últimas 30 velas diárias.
Isso é especialmente útil para definir o Stop Loss, já que um valor maior que 1/3 da média diária pode dificultar que a operação feche no mesmo dia.
Sinta-se à vontade para me contactar para atualizações ou correções.
– Bernardo Ramirez
🇪🇸 Versión en Español (Corregida y Estilizada)
Este script es especialmente útil para traders que necesitan medir el rango de las primeras cuatro velas de 15 minutos de la semana.
Proporciona tres datos clave :
🕒 Resalta las Primeras 4 Velas
Señala las primeras cuatro velas de 15 minutos de la semana y muestra el rango total entre su máximo y mínimo.
📊 Promedio de 10 Semanas (Línea Amarilla)
Muestra el promedio del rango de esas velas durante las últimas 10 semanas, lo que permite comparar la semana actual con patrones anteriores.
📈 Promedio Diario de 30 Días (Línea Verde)
Muestra el rango promedio de las últimas 30 velas diarias.
Esto es especialmente útil al definir un Stop Loss, ya que un rango mayor a un tercio del promedio diario puede dificultar que la operación se cierre el mismo día.
No dudes en contactarme para mejoras o correcciones.
– Bernardo Ramirez
RSI Supply/DemandIdentifies and plots Supply/Demand, Support, and Resistance zones based on RSI overbought/oversold levels and price confirmation.
Color Change Entry Arrow//@version=5
indicator("Color Change Entry Arrow", overlay=true)
// Settings
point = input.float(1.0, title="Point Value", step=0.1)
move_points = input.float(5.0, title="Move Threshold", step=0.1)
// Candle info
close1 = close
open2 = open
close2 = close
// Color difference
isColorDifferent = (close > open and close < open) or (close < open and close > open)
// Open-close proximity
withinRange = math.abs(open2 - close1) <= point
// Price movement in direction of candle 2
bullMove = close - open >= move_points
bearMove = open - close >= move_points
// Signal conditions
longSignal = withinRange and isColorDifferent and close > open and bullMove
shortSignal = withinRange and isColorDifferent and close < open and bearMove
// Plot arrows
plotshape(longSignal, title="Long Entry", location=location.belowbar, color=color.green, style=shape.arrowup, size=size.small)
plotshape(shortSignal, title="Short Entry", location=location.abovebar, color=color.red, style=shape.arrowdown, size=size.small)
SuperTrend CorregidoThis script implements a SuperTrend indicator based on the Average True Range (ATR). It is designed to help traders identify trend direction and potential buy/sell opportunities with visual signals on the chart.
🔧 Key Features:
ATR-Based Trend Detection: Calculates trend shifts using the ATR and a user-defined multiplier.
Buy/Sell Signals: Displays "Buy" and "Sell" labels directly on the chart when the trend changes direction.
Visual Trend Lines: Plots green (uptrend) and red (downtrend) SuperTrend lines to highlight the current market bias.
Trend Highlighting: Optionally fills the background to emphasize whether the market is in an uptrend or downtrend.
Customizable Settings:
ATR period and multiplier
Option to switch ATR calculation method
Toggle for signal visibility and trend highlighting
🔔 Alerts Included:
SuperTrend Buy Signal
SuperTrend Sell Signal
SuperTrend Direction Change
This indicator is useful for identifying entries and exits based on trend momentum and can be used across various timeframes.
VCP Scanner (Basic)Scans last 30 candles for at least 2 contractions
Confirms breakout above recent resistance
Validates volume spike on breakout
Plots green label when VCP breakout is detected
BIZ - Rapid Movement AlertRapid Movement Alert: Shows clear rapid movement.
Settings:
Number of pips
Number of candles in movement.
Market Structure Break Signals [5min] + 3:1 RRthis is a market structure strat that im using to test 5min moves
Auto Trade Buddy By RootKit⚙️ How It Works
Step MA Calculation:
The strategy calculates a step-style moving average using EMA and volatility (stdev) with a sensitivity multiplier.
Trades are entered when the price crosses over the Step MA (a bullish signal).
Entry Logic:
When close crosses above the Step MA, it enters a long trade if:
You are not already in a trade
The signal occurs within allowed trading dates and sessions
You haven’t traded within the last Min Bars Between Trades
You’re within daily profit/loss limits (if enabled)
Add-on Entries:
If you're already in a trade and the close crosses below the Step MA, an additional entry is made (averaging in) up to Max Entries.
Exit Logic:
Trades exit either on a profit target or stop loss relative to the entry price and Step MA.
Visual labels (BUY and EXIT) appear on the chart when trades are made.
Daily PnL Controls:
Optional toggles let you limit trading if daily profit or loss thresholds are hit.
Time Filters:
Trades are only allowed between Jan 1, 2024, and Dec 30, 2025.
You can enable/disable the New York, Asia, and London sessions individually. Times are in UTC:
NY: 13:00–21:00
Asia: 00:00–08:00
London: 07:00–15:00
🛠️ How to Use the Settings
Open the script's settings (⚙️ icon) in TradingView, and adjust the following:
Flip Entry Quantity: Size of the first trade.
Add Entry Quantity: Size for each additional entry.
Profit Target / Stop Distance: Measured in ticks (price units).
Min Bars Between Trades: Prevents rapid re-entries.
Step MA Controls:
Sensitivity Factor: Higher = tighter MA to price.
Step Size Period: Period for base EMA and stdev.
Use Oma Adaptive: Smoother step MA.
Trading Sessions: Toggle NY, Asia, or London to define when entries are allowed.
Daily Profit/Loss: Enable and define thresholds to stop trading if hit.
🧭 What You’ll See on the Chart
Orange line = Step MA
Green triangle = Entry signal (BUY)
Purple downward label = Exit
Add entries are made silently without labels
Long-Term Investing Signals + Trend Formation (Daily)Steven Paul Jobs (February 24, 1955 – October 5, 2011) was an American businessman, inventor, and investor best known for co-founding the technology company Apple Inc. Jobs was also the founder of NeXT and chairman and majority shareholder of Pixar. He was a pioneer of the personal computer revolution of the 1970s and 1980s, along with his early business partner and fellow Apple co-founder Steve Wozniak.
Jobs was born in San Francisco in 1955 and adopted shortly afterwards. He attended Reed College in 1972 before withdrawing that same year. In 1974, he traveled through India, seeking enlightenment before later studying Zen Buddhism. He and Wozniak co-founded Apple in 1976 to further develop and sell Wozniak's Apple I personal computer. Together, the duo gained fame and wealth a year later with production and sale of the Apple II, one of the first highly successful mass-produced microcomputers.
Jobs saw the commercial potential of the Xerox Alto in 1979, which was mouse-driven and had a graphical user interface (GUI). This led to the development of the largely unsuccessful Apple Lisa in 1983, followed by the breakthrough Macintosh in 1984, the first mass-produced computer with a GUI. The Macintosh launched the desktop publishing industry in 1985 (for example, the Aldus Pagemaker) with the addition of the Apple LaserWriter, the first laser printer to feature vector graphics and PostScript.
In 1985, Jobs departed Apple after a long power struggle with the company's board and its then-CEO, John Sculley. That same year, Jobs took some Apple employees with him to found NeXT, a computer platform development company that specialized in computers for higher-education and business markets, serving as its CEO. In 1986, he bought the computer graphics division of Lucasfilm, which was spun off independently as Pixar. Pixar produced the first computer-animated feature film, Toy Story (1995), and became a leading animation studio, producing dozens of commercially successful and critically acclaimed films.
In 1997, Jobs returned to Apple as CEO after the company's acquisition of NeXT. He was largely responsible for reviving Apple, which was on the verge of bankruptcy. He worked closely with British designer Jony Ive to develop a line of products and services that had larger cultural ramifications, beginning with the "Think different" advertising campaign, and leading to the iMac, iTunes, Mac OS X, Apple Store, iPod, iTunes Store, iPhone, App Store, and iPad. Jobs was also a board member at Gap Inc. from 1999 to 2002. In 2003, Jobs was diagnosed with a pancreatic neuroendocrine tumor. He died of tumor-related respiratory arrest in 2011; in 2022, he was posthumously awarded the Presidential Medal of Freedom. Since his death, he has won 141 patents; Jobs holds over 450 patents in total.
Globex Overnight Futures ORB with FIB's by TenAMTrader📈 Globex Overnight Futures ORB with FIBs by TenAMTrader
This TradingView indicator is designed to plot the Opening Range Breakout (ORB) for the Globex Overnight Futures session, enhanced with customizable Fibonacci extension and retracement levels.
🕒 Session Definition
The indicator defines a primary time window, typically from 6:00 PM ET to 6:15 PM ET, capturing the first 15 minutes of the Globex session.
It identifies the high, low, and midpoint of this range, which are then used as reference levels throughout the trading day.
🔍 Visual Features
Plots lines for the Opening High, Low, and Midpoint.
Shades two cloud regions: High to Midpoint and Low to Midpoint for easier visual identification.
Optionally displays Fibonacci levels, including:
Standard extensions and retracements (e.g., 0.618, 1.0, -0.618, etc.)
Intermediate levels within the primary range for intraday reactions
Option to toggle additional extension levels beyond the standard set.
🚨 Alerts
Optional alert triggers for price crossing the Opening High, Low, or Midpoint levels.
⚠️ Important Usage Note
This indicator is currently optimized for the 1-minute chart to ensure accurate and consistent ORB calculations. Using it on higher timeframes may result in incorrect range values until future updates add multi-timeframe support.
📘 Disclaimer
This script is for educational and informational purposes only and should not be considered financial advice. Trading involves risk, and past performance is not indicative of future results. Always do your own research and consult with a licensed financial advisor before making trading decisions.
ODR/PDR in Prices@DrGirishSawhneythis is a promotor driven rally published on chart for identifying a non stop upmove of minimum 20% , all in green candle.
SmartBot - Entrada Institucional//@version=5
indicator("SmartBot - Entrada Institucional", overlay=true)
limiar_range = input.float(1.5, "Multiplicador de Range", minval=1.0)
alvo_mult = input.int(2, "Multiplicador de Alvo", minval=1)
lookback_zona = input.int(20, "Período da zona de liquidez", minval=5)
mostrar_zonas = input.bool(true, "Mostrar zonas")
mostrar_alvo = input.bool(true, "Mostrar alvo e stop")
zona_res = ta.highest(high, lookback_zona)
zona_sup = ta.lowest(low, lookback_zona)
plot(mostrar_zonas ? zona_res : na, title="Resistência", color=color.red)
plot(mostrar_zonas ? zona_sup : na, title="Suporte", color=color.green)
r_candle = high - low
media_range = ta.sma(r_candle, 20)
candle_institucional = r_candle > media_range * limiar_range
entrada_compra = candle_institucional and close > zona_res
entrada_venda = candle_institucional and close < zona_sup
plotshape(entrada_compra, title="Sinal de Compra", location=location.belowbar, style=shape.labelup, color=color.lime, text="BUY")
plotshape(entrada_venda, title="Sinal de Venda", location=location.abovebar, style=shape.labeldown, color=color.red, text="SELL")
alvo = entrada_compra ? close + r_candle * alvo_mult : na
stop = entrada_compra ? low : na
plot(mostrar_alvo and entrada_compra ? alvo : na, title="Alvo", color=color.blue, style=plot.style_cross)
plot(mostrar_alvo and entrada_compra ? stop : na, title="Stop", color=color.orange, style=plot.style_cross)
Rich HarvesterDynamic leverage management: supports flexible adjustment from 0.1 to 100 times to adapt to different risk preferences
Dual stop loss mechanism:
Fixed stop loss: initial protection based on ATR multiple (atr_mult)
Trailing stop loss: profit protection through slPoints and slOffset
Fund risk control: calculate the position according to the equity percentage (usr_risk), formula: risk amount = total funds × risk% × leverage
Professional signal filtering
Triple trend verification:
Fast EMA > Medium EMA > Slow SMA (bullish trend)
Fast EMA < Medium EMA < Slow SMA (bearish trend)
Pin Bar pattern enhancement:
Requires classic reversal pattern with shadows accounting for more than 66%
Filter conditions combined with trend direction
Time window control: ent_canc parameter automatically cancels expired signals
The Strat OnlyThis TradingView indicator implements the core logic of The Strat — a price action-based trading methodology developed by Rob Smith. It identifies and visually marks the four foundational candlestick types defined in The Strat:
Inside Bar (1): A consolidation candle where the high is lower than the previous candle’s high, and the low is higher than the previous candle’s low. This often signals potential breakout setups.
Two-Up (2↑): A directional candle that breaks above the previous candle’s high. Indicates bullish continuation or a potential entry trigger for long setups.
Two-Down (2↓): A directional candle that breaks below the previous candle’s low. Signals bearish continuation or a potential short entry trigger.
Three (3): An outside bar that breaks both the previous high and low. Suggests increased volatility and possible reversal conditions.
Each candle type is plotted with a numeric label directly below the bar (1, 2, or 3), using distinct colors to make patterns quickly recognizable on the chart:
Inside bars: Dark yellow
Two-up: Green
Two-down: Red
Three: Magenta (fuchsia)
This tool is essential for traders using The Strat methodology to identify actionable sequences, gauge momentum shifts, and execute higher-probability entries with cleaner price structure.
ODR/PDR in Prices@DrGirishSawhneyversion 2 with customized movement rally by operator or promotor. dt 11-05-2023
Fab 4 OVdraw a box for fabulous four which covers 20 sma and 200 sma , high and low of last 20 candles, closing price of the last candle of the day
My script
// Description:
// This indicator is developed by my script to assist traders in identifying key entry and exit points
// based on a combination of price action, custom trend filters, and momentum analysis.
// It is designed for use on intraday and positional charts and aims to provide high-probability signals
// in trending as well as ranging market conditions.
//
// Features:
// - Custom trend direction logic
// - Dynamic buy/sell signal generation
// - Works across multiple timeframes and instruments
// - Can be used standalone or alongside other strategies
//
// Public Release:
// This script is public and free to use. Please give credit if reused or modified.
// Follow my script on TradingView for updates, strategy breakdowns, and market insights.
//
// Disclaimer:
// This tool is for educational purposes only and should not be considered financial advice.
// Always use proper risk management.
//