Buy-Sell Signals MACD+RSI [S-REZVANI]Indicator Description: "Buy-Sell Signals MACD+RSI "
Overview:
This indicator combines the power of MACD, RSI, and a smoothed ALMA moving average to generate precise buy/sell signals. Designed for traders seeking confluence across momentum and trend-following tools, it highlights entry points with colored candlesticks and clear triangular markers, while minimizing false signals through multi-condition filtering.
How It Works
MACD Crossover:
Triggers potential signals when the MACD line crosses above/below its signal line.
Histogram color changes reflect bullish/bearish momentum shifts.
RSI Threshold Confirmation:
Buy: RSI (6-period) must rise above a user-defined threshold (default: 55) to confirm strength.
Sell: RSI must drop below 100 - threshold (default: 45) to confirm weakness.
ALMA Dynamic Support/Resistance:
Uses an Arnaud Legoux Moving Average (ALMA) with customizable smoothing to act as a dynamic filter.
Buy signals require price to close above the ALMA; sell signals require closing below.
Key Features
✅ Triple Confirmation System: Combines MACD crossovers, RSI thresholds, and ALMA trend alignment.
✅ Customizable Inputs: Adjust EMA periods, RSI length, and threshold levels to fit any strategy.
✅ Visual Clarity:
Colored Candles: Blue for bullish bias, red for bearish bias, and neutral fading otherwise.
Triangle Markers: Clear buy (▲) and sell (▼) signals below/above price bars.
✅ TradingView Alerts: Built-in alerts notify you instantly when new signals appear.
Input Parameters
EMA-0: ALMA period (default: 9).
EMA-0 Smoother: ALMA smoothing factor (default: 3).
RSI Length: RSI calculation period (default: 6).
RSI Threshold: Key level for confirming strength/weakness (default: 55).
Usage Guidelines
Bullish Entry: Blue candle + ▲ triangle appears when:
MACD Bullish Crossover + RSI > Threshold + Price > ALMA.
Bearish Entry: Red candle + ▼ triangle appears when:
MACD Bearish Crossover + RSI < (100 - Threshold) + Price < ALMA.
Best Suited For: Swing trading or trend-following strategies on 1H+ timeframes.
Why This Indicator?
By requiring alignment across three distinct technical tools, this script filters out noise and focuses on high-probability setups. Its clean visual design ensures easy interpretation, while customizable settings allow adaptation to volatile or ranging markets.
Note: Pair with risk management tools (stop-loss, take-profit) and backtest strategies for optimal results.
Created by S-Rezvani | TradingView Community 🚀
Tip: Combine with volume analysis or support/resistance levels for added confirmation!
Chỉ báo Bill Williams
YOUFX.V3"YOUFX ALL IN ONE V2 is a comprehensive indicator that provides advanced analytical tools. Specifically designed for forex traders and financial markets. Add the indicator and choose the settings that best suit your trading strategy.
(Note: This indicator is for educational purposes only and is not an investment recommendation.)"
YOUFX.V2.ALL IN ONE"YOUFX ALL IN ONE V2 is a comprehensive indicator that provides advanced analytical tools. Specifically designed for forex traders and financial markets. Add the indicator and choose the settings that best suit your trading strategy.
(Note: This indicator is for educational purposes only and is not an investment recommendation.)"
EMA with Stochastic Cross Signals and Filtered EMA2/EMA4 Cross tôi dùng AI DeepSeek để tạo ra chỉ báo này, tôi không phải là coder :D
Intraday Futures Strategy with Filters//@version=5
indicator("Intraday Futures Strategy with Filters", overlay=true)
// === Параметры индикатора ===
// Скользящие средние
shortEmaLength = input.int(9, title="Короткая EMA", minval=1)
longEmaLength = input.int(21, title="Длинная EMA", minval=1)
// RSI
rsiLength = input.int(14, title="Период RSI", minval=1)
rsiThreshold = input.int(50, title="RSI Threshold", minval=1, maxval=100)
// ATR (волатильность)
atrLength = input.int(14, title="Период ATR")
atrMultiplier = input.float(1.0, title="ATR Multiplier", minval=0.1, step=0.1)
// Долгосрочный тренд
trendEmaLength = input.int(200, title="EMA для фильтра тренда", minval=1)
// Временные рамки
startHour = input.int(9, title="Час начала торговли", minval=0, maxval=23)
startMinute = input.int(0, title="Минута начала торговли", minval=0, maxval=59)
endHour = input.int(16, title="Час конца торговли", minval=0, maxval=23)
endMinute = input.int(0, title="Минута конца торговли", minval=0, maxval=59)
// Получаем текущие час и минуту
currentHour = hour(time)
currentMinute = minute(time)
// Проверка временного фильтра
timeFilter = (currentHour > startHour or (currentHour == startHour and currentMinute >= startMinute)) and
(currentHour < endHour or (currentHour == endHour and currentMinute <= endMinute))
// === Вычисления ===
// Скользящие средние
shortEma = ta.ema(close, shortEmaLength)
longEma = ta.ema(close, longEmaLength)
trendEma = ta.ema(close, trendEmaLength)
// RSI
rsi = ta.rsi(close, rsiLength)
// ATR
atr = ta.atr(atrLength)
// Сигналы пересечения EMA
bullishCrossover = ta.crossover(shortEma, longEma) // Короткая EMA пересекает длинную вверх
bearishCrossover = ta.crossunder(shortEma, longEma) // Короткая EMA пересекает длинную вниз
// Фильтры:
// 1. Трендовый фильтр: цена должна быть выше/ниже 200 EMA
longTrendFilter = close > trendEma
shortTrendFilter = close < trendEma
// 2. RSI фильтр
longRsiFilter = rsi > rsiThreshold
shortRsiFilter = rsi < rsiThreshold
// 3. Волатильность ATR: текущий диапазон должен быть больше заданного значения
atrFilter = (high - low) > atr * atrMultiplier
// Общие сигналы на покупку/продажу
buySignal = bullishCrossover and longTrendFilter and longRsiFilter and atrFilter and timeFilter
sellSignal = bearishCrossover and shortTrendFilter and shortRsiFilter and atrFilter and timeFilter
// === Графические элементы ===
// Отображение EMA на графике
plot(shortEma, color=color.blue, linewidth=2, title="Короткая EMA")
plot(longEma, color=color.orange, linewidth=2, title="Длинная EMA")
plot(trendEma, color=color.purple, linewidth=2, title="EMA для тренда (200)")
// Сигналы на графике
plotshape(series=buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(series=sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Фон для сигналов
bgcolor(buySignal ? color.new(color.green, 90) : sellSignal ? color.new(color.red, 90) : na, title="Signal Background")
MarketSmith Indicator - NIFTYThe MarketSmith Indicator is a comprehensive stock and market analysis tool designed to provide in-depth insights into the trends and momentum of indices like the Nifty. It combines technical, fundamental, and sentiment-based metrics to help traders and investors assess the overall market direction, strength, and potential opportunities.
For the Nifty Index, the MarketSmith Indicator evaluates several core factors:
YOUFX.ADR.V1"YOUFX.ADR.V1 is a comprehensive indicator that provides advanced analytical tools. Specifically designed for forex traders and financial markets. Add the indicator and choose the settings that best suit your trading strategy.
(Note: This indicator is for educational purposes only and is not an investment recommendation.)"
Short Strategy with EMA Gap and Divergence
Sikko indikatördür arkadaşa düzelttireceğim bişeyler bişelyşaşsdkadslASSS
SLSLAJFFHA
LALSJASDJASK
LFVLAS
[RS] NEW_GEN ZigZag Percent Reversal with Stochastic Strategystrateji stokastik ve zigzag reversel i baz alan bir trend sinyali olusturur otomatik al sata acik
stokastik tetikleyici verileri 80 den 70 e 20 den 30 a cikarilmistir
Infinity Signals StrategyThe Indicate for scalpers
Infinity Signals Strategy
The Infinity Signals Strategy is a comprehensive trading tool that combines multiple techniques to enhance trading decisions. It includes the following features:
UT Bot Alerts:
Provides buy and sell signals using an ATR-based trailing stop mechanism.
Customizable key sensitivity (Key Value) and ATR period.
Option to base signals on Heikin Ashi candles for smoother trends.
Hull Moving Average Suite:
Offers three variations of Hull MA: HMA, EHMA, and THMA.
Can display a higher timeframe Hull MA for broader trend analysis.
Trend-based coloring for better visualization of market direction.
Alerts for Hull trend changes.
Market Structure Levels:
Calculates dynamic support and resistance levels based on the square-root method of the daily opening price.
Plots key levels (R1–R5 for resistance and S1–S5 for support) for better market structure understanding.
EMA Overlay:
Includes a customizable EMA to complement other trend-following components.
Customizable Alerts:
Alerts for key trading events like buy/sell signals and Hull trend changes, ensuring timely notifications.
This indicator is designed to work across multiple markets and timeframes, providing traders with a robust framework for identifying potential trade opportunities and managing risk effectively.
PnL Crypto with USD to IDR Conversion
How to Use the Indicator
Input Your Average Buy Price and Position Size:
In the indicator settings, input your average buy price (the price at which you entered the position) and your position size (the amount of crypto you hold).
These values are used to calculate your PnL.
View the Average Buy Price Line:
A dotted horizontal line will be plotted on the chart at your average buy price. This helps you visually compare the current price to your entry point.
Check the Floating Label:
On the last bar of the chart, a floating label will display:
USDT PnL: Your profit or loss in USDT.
IDR PnL: Your profit or loss converted to Indonesian Rupiah.
The label will be colored green for profit and red for loss.
Understand the Calculations:
PnL in USDT: (Current Price - Average Buy Price) * Position Size
PnL in IDR: The USDT PnL is converted to IDR using the real-time USD/IDR exchange rate fetched from the FX_IDC:USDIDR ticker.
Custom MA + Parabolic SAR + ACDescription:
This trading strategy is designed for traders who want a systematic and rule-based approach to identifying potential buy and sell opportunities. It combines three popular technical analysis tools—Exponential Moving Averages (EMAs), Parabolic SAR, and the Accelerator Oscillator (AC)—to provide clear signals for entry and exit points. The strategy operates on the 4-hour timeframe by default but can be adjusted to suit different trading styles and timeframes.
Entry Rules for Long Trades:
1. The price must close above the EMA(120), indicating a strong upward trend.
2. The price must also close above EMA(14 High), confirming bullish momentum.
3. The Parabolic SAR must be positioned below the candle, signaling upward support.
4. The Accelerator Oscillator (AC) must be green and have a positive value, reflecting bullish acceleration.
5. The candle must close as a bullish candle (close > open), confirming buyer dominance.
Entry Rules for Short Trades:
1. The price must close below the EMA(120), indicating a strong downward trend.
2. The price must also close below EMA(14 Low), confirming bearish momentum.
3. The Parabolic SAR must be positioned above the candle, signaling downward pressure.
4. The Accelerator Oscillator (AC) must be red and have a negative value, reflecting bearish acceleration.
5. The candle must close as a bearish candle (close < open), confirming seller dominance.
Exit Rules:
• Stop loss is calculated dynamically based on key support and resistance levels:
• For long trades, the stop loss is set at EMA(14 Low).
• For short trades, the stop loss is set at EMA(14 High).
• Take profit is set using a Risk-Reward Ratio, which is customizable (default is 1:2).
• This ensures that risk is managed effectively, and rewards are maximized over time.
Additional Features:
• Trade Mode Selection: Traders can choose to trade Long Only, Short Only, or Both, depending on their market outlook.
• Visual Signals: Buy and sell signals are clearly displayed as labels on the chart, making it easy to identify trading opportunities at a glance.
• Customizable Parameters: All key settings, including EMA periods, Parabolic SAR parameters, and risk-reward ratio, are fully adjustable to suit different market conditions and preferences.
• Multi-Timeframe Compatibility: While optimized for the 4-hour timeframe, this strategy can be adapted to other timeframes for swing or intraday trading.
This script is ideal for traders who value a structured approach to trading and want to leverage the power of multiple indicators in a unified strategy. Whether you’re a beginner or an experienced trader, this tool provides clear rules and flexibility to help you make informed trading decisions.
[RS]ZigZag Percent Reversal with Stochastic Strategyzigzag reversel stokokastik i baz alan bir indikator
استراتژی مبتنی بر دادههای سوددهها//@version=5
strategy("استراتژی مبتنی بر دادههای سوددهها", overlay=true)
// فرض کنید این دادهها از یک منبع خارجی وارد میشوند
// برای مثال، یک آرایه از سیگنالهای خرید و فروش
buy_signals = array.new_float() // سیگنالهای خرید
sell_signals = array.new_float() // سیگنالهای فروش
// اضافه کردن سیگنالهای فرضی به آرایهها
array.push(buy_signals, 100) // مثال: سیگنال خرید در قیمت 100
array.push(sell_signals, 105) // مثال: سیگنال فروش در قیمت 105
// بررسی سیگنالها
if (array.size(buy_signals) > 0 and close >= array.get(buy_signals, 0))
strategy.entry("Buy", strategy.long)
if (array.size(sell_signals) > 0 and close >= array.get(sell_signals, 0))
strategy.close("Buy")
AMG Supply and Demand ZonesSupply and Demand Zones Indicator
This indicator identifies and visualizes supply and demand zones on the chart to help traders spot key areas of potential price reversals or continuations. The indicator uses historical price data to calculate zones based on high/low ranges and a customizable ATR-based fuzz factor.
Key Features:
Back Limit: Configurable look-back period to identify zones.
Zone Types: Options to display weak, untested, and turncoat zones.
Customizable Parameters: Adjust fuzz factor and visualization settings.
Usage:
Use this indicator to enhance your trading strategy by identifying key supply and demand areas where price is likely to react.
You can customize this further based on how you envision users benefiting from your indicator. Let me know if you'd like to add or adjust anything!
STOCKDALE VERSION1EMA 골든크로스, RSI 상승 다이버전스, Stochastic RSI 골든크로스, MACD 양수, OBV 상승 조건이 모두 충족되었을 때, 매수 신호를 생성합니다. 또한, 거래량이 높은 구간에서만 신호를 필터링합니다.
PDL By iofexPrevious day levels
A Previous Day Level Indicator is a trading tool designed to highlight the key levels from the previous trading session, such as the high, low, and close prices. These levels act as significant support and resistance points, helping traders make informed decisions. By analyzing these levels, traders can anticipate potential price reversals, breakouts, or continuations in the current trading session. This indicator is particularly useful for day traders and scalpers aiming to align their strategies with market trends.