MR-AI-US30 Short-Term RSI StrategyStrategy is based on AI for short term trading less than 4 hours
it is designed for US30
No signals during news (1 hour before and 1 hour after news)
Göstergeler ve stratejiler
AI Signals//@version=5
indicator("AI Signals", overlay=true)
// Import external data (e.g., CSV uploaded to TradingView's server)
var data = request.security(symbol="NASDAQ:YOUR_DATA_SOURCE", timeframe="D", expression=close)
// Define buy/sell signals
buy_signal = data == 1
sell_signal = data == -1
// Plot arrows on the chart
plotshape(buy_signal, style=shape.triangleup, color=color.green, location=location.belowbar, size=size.small)
plotshape(sell_signal, style=shape.triangledown, color=color.red, location=location.abovebar, size=size.small)
Bullish Candle After 20 SMA Cross Up 200 SMA PGBullish Candle After 20 SMA Cross Up 200 SMA. Indicate whether there is a possibility of a uptrend
Candle Emotion Index (CEI) StrategyThe Candle Emotion Index (CEI) Strategy is an innovative sentiment-based trading approach designed to help traders identify and capitalize on market psychology. By analyzing candlestick patterns and combining them into a unified metric, the CEI Strategy provides clear entry and exit signals while dynamically managing risk. This strategy is ideal for traders looking to leverage market sentiment to identify high-probability trading opportunities.
How It Works
The CEI Strategy is built around three core oscillators that reflect key emotional states in the market:
Indecision Oscillator . Measures market uncertainty using patterns like Doji and Spinning Tops. High values indicate hesitation, signaling potential turning points.
Fear Oscillator . Tracks bearish sentiment through patterns like Shooting Star, Hanging Man, and Bearish Engulfing. Helps identify moments of intense selling pressure.
Greed Oscillator . Detects bullish sentiment using patterns like Marubozu, Hammer, Bullish Engulfing, and Three White Soldiers. Highlights periods of strong buying interest.
These oscillators are averaged into the Candle Emotion Index (CEI):
CEI = (Indecision + Fear + Greed) / 3
This single value quantifies overall market sentiment and drives the strategy’s trading decisions.
Key Features
Sentiment-Based Trading Signals . Long Entry: Triggered when the CEI crosses above a lower threshold (e.g., 0.1), indicating increasing bullish sentiment. Short Entry: Triggered when the CEI crosses above a higher threshold (e.g., 0.2), signaling rising bearish sentiment.
Volume Confirmation . Trades are validated only if volume exceeds a user-defined multiplier of the average volume over the lookback period. This ensures entries are backed by significant market activity.
Break-Even Recovery Mechanism . If a trade moves into a loss, the strategy attempts to recover to break-even instead of immediately exiting at a loss. This feature provides flexibility, allowing the market to recover while maintaining disciplined risk management.
Dynamic Risk Management . Maximum Holding Period: Trades are closed after a user-defined number of candles to avoid overexposure to prolonged uncertainty. Profit-Taking Conditions: Positions are exited when favorable price moves are confirmed by increased volume, locking in gains. Loss Threshold: Trades are exited early if the price moves unfavorably beyond a set percentage of the entry price, limiting potential losses.
Cooldown Period . After a trade is closed, a cooldown period prevents immediate re-entry, reducing overtrading and improving signal quality.
Why Use This Strategy?
The CEI Strategy combines advanced sentiment analysis with robust trade management, making it a powerful tool for traders seeking to understand market psychology and identify high-probability setups. Its unique features, such as the break-even recovery mechanism and volume confirmation, add an extra layer of discipline and reliability to trading decisions.
Best Practices
Combine with Other Indicators . Use trend-following tools (e.g., moving averages, ADX) and momentum oscillators (e.g., RSI, MACD) to confirm signals.
Align with Key Levels . Incorporate support and resistance levels for refined entries and exits.
Multi-Market Compatibility . Apply this strategy to forex, crypto, stocks, or any asset class with strong volume and price action.
Grid Trading with RSI and Fibonacci SLThis script implements a grid trading strategy that buys when the "AI" confidence is high and the RSI is oversold, and sells when the "AI" confidence is high and the RSI is overbought.
It uses a Fibonacci-based stop-loss and adjusts the grid levels and trade size after each trade.
The "AI" is a very simple rule-based system, not actual artificial intelligence. The script also plots the RSI, AI confidence, grid price, and stop-loss level on the chart.
It's important to thoroughly backtest and understand the risks associated with grid trading strategies before using them with real capital.
klingon Track1 - ZAsia ZLondonyoq wIchmeyvam vIqawmo’, yuQ ghoqwI’ mIw chu’ tlhoS ngaj ‘ej qechmey le’ luyaj. Hov patlh buSmeH numbogh De’ ngaS. notlhbe’, loghDaq chaq tlhIngan po’ lo’taHvIS ’utbej.
Fractal Time/Price Scaling Invariance//@version=6
indicator("Fractal Time/Price Scaling Invariance", overlay=true, shorttitle="FTSI v1.2")
// Zeitliche Oktaven-Konfiguration
inputShowTimeOctaves = input(true, "Zeit-Oktaven anzeigen")
inputBaseTime1 = input.int(8, "Basisintervall 1 (Musikalische Oktave)", minval=1)
inputBaseTime2 = input.int(12, "Basisintervall 2 (Alternative Sequenz)", minval=1)
// Preis-Fraktal-Konfiguration
inputShowPriceFractals = input(true, "Preis-Fraktale anzeigen")
inputFractalDepth = input.int(20, "Fraktal-Betrachtungstiefe", minval=5)
// 1. Zeitliche Fraktale mit skaleninvarianter Oktavstruktur
if inputShowTimeOctaves
// Musikalische Oktaven (8er-Serie)
for i = 0 to 6
timeInterval1 = inputBaseTime1 * int(math.pow(2, i))
if bar_index % timeInterval1 == 0
line.new(bar_index, low - syminfo.mintick, bar_index, high + syminfo.mintick, color=color.new(color.blue, 70), width=2)
// Alternative Sequenz (12er-Serie)
for j = 0 to 6
timeInterval2 = inputBaseTime2 * int(math.pow(3, j))
if bar_index % timeInterval2 == 0
line.new(bar_index, low - syminfo.mintick, bar_index, high + syminfo.mintick, color=color.new(color.purple, 70), width=2)
// 2. Korrigierte Preis-Fraktal-Erkennung
var fractalHighArray = array.new_line()
var fractalLowArray = array.new_line()
if inputShowPriceFractals
// Fractal Detection (korrekte v6-Syntax)
isFractalHigh = high == ta.highest(high, 5)
isFractalLow = low == ta.lowest(low, 5)
// Zeichne dynamische Fraktal-Linien
if isFractalHigh
line.new(bar_index , high , bar_index + inputFractalDepth, high , color=color.new(color.red, 80), style=line.style_dotted)
if isFractalLow
line.new(bar_index , low , bar_index + inputFractalDepth, low , color=color.new(color.green, 80), style=line.style_dotted)
// Array-Bereinigung
if array.size(fractalHighArray) > 50
array.remove(fractalHighArray, 0)
if array.size(fractalLowArray) > 50
array.remove(fractalLowArray, 0)
// 3. Dynamische Übergangszonen (Hesitationsbereiche)
transitionZone = ta.atr(14) * 2
upperZone = close + transitionZone
lowerZone = close - transitionZone
plot(upperZone, "Upper Transition", color.new(color.orange, 50), 2)
plot(lowerZone, "Lower Transition", color.new(color.orange, 50), 2)
// 4. Skaleninvariante Alarmierung
alertcondition(ta.crossover(close, upperZone), "Breakout nach oben", "Potenzielle Aufwärtsbewegung!")
alertcondition(ta.crossunder(close, lowerZone), "Breakout nach unten", "Potenzielle Abwärtsbewegung!")
EMA & SMA by TTC1. EMA 9, 15, 21:
Short-term trends: These EMAs are typically used for analyzing short-term price movements and finding quick trend reversals.
Use cases:
EMA 9: Reacts quickly to price changes and is often used as a trigger line for entry or exit.
EMA 15 and EMA 21: Offer slightly less sensitivity, reducing false signals compared to EMA 9.
2. 200 EMA and 200 SMA:
Long-term trend indicators: These averages are widely used to identify overall market direction.
Differences:
200 EMA: Puts more weight on recent prices, making it more responsive to recent market movements.
200 SMA: Gives equal weight to all prices in the 200-period, showing a smoother long-term trend.
Use cases:
Price above 200 EMA/SMA: Bullish trend.
Price below 200 EMA/SMA: Bearish trend.
Both averages act as key support/resistance levels.
Strategies Combining These Averages:
Trend Confirmation:
If EMAs (9, 15, 21) are aligned above the 200 EMA/SMA, it confirms a strong bullish trend.
If aligned below the 200 EMA/SMA, it confirms a strong bearish trend.
Crossover Signals:
When EMA 9 crosses above EMA 21: Potential buy signal.
When EMA 9 crosses below EMA 21: Potential sell signal.
Price crossing the 200 EMA/SMA can signal long-term trend shifts.
Dynamic Support/Resistance:
Use the EMAs (especially 9 and 21) as dynamic support/resistance for trailing stop-losses in trending markets.
The 200 EMA/SMA serves as a critical level where price often reacts significantly.
EMA/SMA 9/20/50/200 + TrailStop4 wichtige EMA/SMA und der ATR TrailStop in einem Indikator zusammengefasst.
Der ATR Trailing Stops Indikator ist eine Kombination aus der ATR (Average True Range) und einem Trailing Stop. Die Average True Range ist eine Volatilitätsmessung und kann entweder über 14 Tage oder 21 Tage eingestellt werden.
D-LEVELS **FUTURECODE**The D-LEVELS indicator helps traders identify key price levels based on high-volume nodes and their relative positions to the current price. It visually displays these dynamic levels on the chart, offering insights into potential support, resistance, or zones of interest for trading decisions.
Key Features for Traders:
Dynamic Volume Nodes: Highlights high-volume price levels across different lookback periods, which can act as support or resistance.
Custom Alerts: Warns traders when price is within a specified percentage range of these levels.
Visual Cues: Uses labels and lines with customizable colors and widths for better chart clarity.
Table Display: Summarizes volume node price levels and their relative percentages for quick reference.
Customization: Flexible input options for text size, colors, and display settings to adapt to individual trading styles.
Use Case:
Traders can incorporate this indicator into their strategy to identify high-probability zones for entries, exits, or trade management by observing the interaction of price with these volume-based levels.
NQ Trading Indicator 2Buy Signal: Triggered when the MACD line crosses above the signal line and the RSI is below 30, indicating an oversold condition.
Sell Signal: Triggered when the MACD line crosses below the signal line and the RSI is above 70, indicating an overbought condition.
False Breakout Notification: Highlights when MACD and RSI indicate conditions opposing their typical breakout behavior (e.g., RSI is overbought during a bullish crossover or oversold during a bearish crossover).
Average Volatility Over N Days (XAUUSD & Forex)The indicator displays the average range of daily candles over an N-period.
Magic Strategy SabaBasic with engulf & EMA200 & RSI. chart above EMA200, RSI above 50% and every time see engulf you can buy
NQ Trading Indicator for 1 min chartFor 1 minute scalp on NQ.
Buy Signal: Triggered when the MACD line crosses above the signal line and the RSI is below 30, indicating an oversold condition.
Sell Signal: Triggered when the MACD line crosses below the signal line and the RSI is above 70, indicating an overbought condition.
False Breakout Notification: Highlights when MACD and RSI indicate conditions opposing their typical breakout behavior (e.g., RSI is overbought during a bullish crossover or oversold during a bearish crossover).
TKT - Alert Candle with RSI and MA ConditionsTKT Strategy PSX
This strategy will work on most of the PSX stocks.
Rules for this strategy are:
1, Price close above MA 45.
2, Price close above MA 200.
3, RSI cross 60 to upword ( RSI settings, Upper=60, Mid=50, Lower=40)
Once all these points are meet then you can buy that stock on next day if it cross last day high and sustain.
Chandelier exit bull y sell target [JLPA]es un indicador que fusionamos dos parametros en donde nos muestra una señales de bull y sell en diferentes temporalidades
PP High Low + SMAsHai,
Here i alter an indicator which have pivot point high low with alteration and additional SMA With different period
ADX btw 15-30 and increasingWhen the ADX is between 15-30, it suggests that there’s a trend present but that it isn’t in full-blown momentum mode yet. This gives you the opportunity to enter before the trend becomes extremely strong, allowing for earlier entries in a fresh trend.
An increasing slope of the ADX confirms that the trend is developing into a stronger phase, which provides additional confidence that the trade is likely to continue in the same direction.
This indicator highlights when both of these conditions are met.
VFV Correction Levels
This Pine Script, "VFV Correction Levels," identifies significant daily price corrections and calculates corresponding investments based on fixed thresholds (paliers). Key features include:
Six predefined correction levels trigger investments between $150 and $600 based on the percentage drop.
Larger corrections correspond to higher investment amounts.
Graphical Indicators:
Visual labels mark correction levels and display investment amounts directly on the chart.
Investment Tracking:
Calculates total invested and tracks performance (yield percentage) relative to the initial correction price.
Vitaliby- NWE + RSIОписание индикатора "Vitaliby- NWE + RSI"
Nadaraya-Watson Envelope (NWE):
Огибающая: Индикатор строит огибающую вокруг цены, используя сглаживание на основе гауссового окна. Это помогает определить уровни поддержки и сопротивления.
Параметры: Вы можете настроить ширину гауссового окна и множитель для огибающей.
Relative Strength Index (RSI):
Индекс: RSI измеряет скорость изменения цены и определяет, перекуплен или перепродан актив.
Параметры: Вы можете настроить длину периода для расчета RSI, а также уровни перекупленности и перепроданности.
Взаимодействие NWE и RSI:
Фильтрация сигналов: Индикатор использует RSI для фильтрации сигналов пересечения огибающей. Например, сигнал на продажу будет учитываться только если RSI находится в зоне перекупленности (выше 70).
Режимы:
Режим перерисовки: Включение этого режима позволяет индикатору обновлять свои значения на основе новых данных, что может привести к изменению исторических значений. Отключение этого режима фиксирует исторические значения, что делает индикатор более стабильным.
Режим отображения: Вы можете настроить цвета и стили отображения индикатора, чтобы он лучше соответствовал вашему торговому стилю и предпочтениям.
Использование:
Сигналы: Индикатор отображает стрелки на графике, когда цена пересекает огибающую и RSI находится в соответствующей зоне.
Настройки: Вы можете включить или отключить режим перерисовки, а также настроить цвета и стили отображения.
Этот индикатор помогает трейдерам принимать более обоснованные решения, используя комбинацию сглаженных данных и индекса относительной силы.
7 Trading Setups with Codesit uses 7 indicator breakouts for trading , RSI SMA ORB TRIPLE TOP AND BOTTOM