Supply and Demand by BrekelThis is a supply and demand indicactor that uses an ema 8 and 20 overlaid with supply and demand zones based on different time frames. POI is points of interest which act as a high demand area and BOS is break of structure that indicates the breakout up/down is in effect and the supply demand zones will no longer be in effect. This works very well on higher time frames but can be very useful for intra-day trading as well.
Medie mobili
Price Action Plus [tambangEA]Price Action Plus is all-in-one indicator toolkit which includes various features specifically based on Price Action Plus Moving Average.
Order Blocks with volumetric data, real-time market structure, a MTF dashboard, and much more detailed customization to get an edge trading price action automatically.
Mostly all of the features within this script are generated purely from price action with moving averages as a trend indicator, which allows users to automate their analysis of price action for any market / timeframe.
🔶 FEATURES
This script includes many features based on Price Action; these are highlighted below:
Market structure (BOS, CHoCH, CHoCH+) (Internal & Swing)
Volumetric Order Blocks (Bullish & Bearish)
Previous Highs/Lows (Daily, Weekly, Monthly, Quarterly)
Premium & Discount Zones
Fair Value Gaps
Multi-Timeframe Dashboard
EMA Multi Timeframe Settings
Fibonacci : Volume , Levels
MERCURY by Dr.Abiram Sivprasad - Adaptive Pivot and Ema AlertSYSThe MERCURY indicator is an advanced, adaptive indicator designed to support traders in detecting critical price movements and trend reversals in real time. Developed with precision by Dr. Abhiram Sivprasad, this tool combines a sophisticated Central Pivot Range (CPR), EMA crossovers, VWAP levels, and multiple support and resistance indicators into one streamlined solution.
Key Features:
Central Pivot Range (CPR): MERCURY calculates the central pivot along with below-central (BC) and top-central (TC) pivots, helping traders anticipate areas of potential reversal or breakout.
EMA Crossovers: The indicator includes up to nine EMAs with customizable lengths. An integrated EMA crossover alert system provides timely signals for potential trend shifts.
VWAP Integration: The VWAP levels are used in conjunction with EMA crossovers to refine trend signals, making it easier for traders to spot high-probability entries and exits.
Adaptive Alerts for Breakouts and Breakdowns: MERCURY continuously monitors the chart for conditions such as all EMAs turning green or red. The alerts trigger when a candle body closes above/below the VWAP and EMA1 and EMA2 levels, confirming a breakout or breakdown.
Customizable EMA Dashboard: An on-chart table displays the status of EMAs in real-time, with color-coded indicators for easy readability. It highlights long/short conditions based on the EMA setup, guiding traders in decision-making at a glance.
How to Use:
Trend Confirmation: Use the CPR and EMA alignment to identify uptrends and downtrends. The table colors and alerts provide a clear, visual cue for entering long or short positions.
Breakout and Breakdown Alerts: The alert system enables traders to set continuous alerts for critical price levels. When all EMAs align in one color (green for long, red for short), combined with a candle closing above or below VWAP and EMA levels, the indicator generates breakout or breakdown signals.
VWAP & EMA Filtering: VWAP acts as a dynamic support/resistance level, while the EMAs provide momentum direction. Traders can refine entry/exit points based on this multi-layered setup.
Usage Scenarios:
Day Trading & Scalping: Traders can use the CPR, VWAP, and EMA table to make swift, informed decisions. The multiple EMA settings allow scalpers to set shorter EMAs for quicker responses.
Swing Trading: Longer EMA settings combined with VWAP and CPR can provide insights into sustained trends, making it useful for holding positions over several days.
Risk Management: MERCURY dashboard and alert functionality allow traders to set clear boundaries, reducing impulsive decisions and enhancing trading discipline.
Indicator Composition:
Open-Source: The core logic for CPR and EMA crossovers is presented open-source, ensuring transparency and user adaptability.
Advanced Logic Integration: This indicator implements custom calculations and filtering, optimizing entry and exit signals by merging VWAP, CPR, and EMA in a logical and user-friendly manner.
Chart Requirements:
For best results, use MERCURY on a clean chart without additional indicators. The default settings are optimized for simplicity and clarity, so avoid cluttering the chart with other tools unless necessary.
Timeframes: MERCURY is suitable for timeframes as low as 5&15 minutes for intraday trading and up to daily timeframes for trend analysis.
Symbol Settings: Works well across forex, stocks, and crypto assets. Adjust EMA lengths based on the asset’s volatility.
Example Chart Settings:
Symbol/Timeframe: BTCUSD, 1-hour timeframe (or any symbol as per user preference).
Settings: Default settings for CPR and EMA table.
Chart Style: Clean chart with MERCURY as the primary indicator.
Publishing Considerations:
Invite-Only Access: If setting to invite-only, ensure compliance with the Vendor requirements.
Limit Claims: Avoid making unsubstantiated claims about accuracy, as MERCURY should be viewed as a tool to aid analysis, not as a guaranteed performance predictor.
Example Strategy
This indicator provides signals primarily for trend-following and reversal strategies:
1. Trend Continuation:
- Buy Signal: When the price crosses above both EMA1 and EMA2 and holds above the daily CPR level, a bullish trend continuation is confirmed.
- Sell Signal: When the price crosses below both EMA1 and EMA2 and holds below the daily CPR level, a bearish trend continuation is confirmed.
2. Reversal at Pivot Levels:
- If the price approaches a resistance (R1, R2, or R3) from below with an uptrend and then begins to cross under EMA1 or EMA2, it may signal a bearish reversal.
- If the price approaches a support (S1, S2, or S3) from above in a downtrend and then crosses above EMA1 or EMA2, it may signal a bullish reversal.
Example Setup
- Long Entry
- When the price crosses above the daily pivot point and closes above both EMA1 and EMA2.
- Hold the position if the price remains above the VWAP band and monitor for any EMA crossunder as an exit signal.
- Short Entry:
- When the price drops below the daily pivot and both EMA1 and EMA2 cross under the price.
- Consider covering the position if the price breaks above the VWAP band or if a crossover of EMA1 and EMA2 occurs.
Alerts
Alerts are customizable based on EMA1 & EMA2 crossovers to notify the trader of potential trend shifts.
rajinder//@version=5
indicator("Buy and Sell Signals on MA and RSI", overlay=true)
// Define the 50-period moving average
ma50 = ta.sma(close, 50)
// Define the 14-period RSI
rsi = ta.rsi(close, 14)
// Define the conditions for the buy signal
candleClosedAboveMA = close > ma50 // Current candle closed above the 50 MA
rsiCrossedAbove60 = ta.crossover(rsi, 60) // RSI crossed above 60
// Define the conditions for the sell signal
candleClosedBelowMA = close < ma50 // Current candle closed below the 50 MA
rsiCrossedBelow40 = ta.crossunder(rsi, 40) // RSI crossed below 40
// Generate buy and sell signals
buySignal = candleClosedAboveMA and rsiCrossedAbove60
sellSignal = candleClosedBelowMA and rsiCrossedBelow40
// Plot the moving average
plot(ma50, color=color.blue, linewidth=2, title="50 MA")
// Plot buy and sell signals on the chart
plotshape(series=buySignal, location=location.abovebar, color=color.green, style=shape.labelup, text="Buy", title="Buy Signal")
plotshape(series=sellSignal, location=location.belowbar, color=color.red, style=shape.labeldown, text="Sell", title="Sell Signal")
// Optional: Display buy and sell signals on the price chart with background color
bgcolor(buySignal ? color.new(color.green, 90) : na, title="Buy Signal Background")
bgcolor(sellSignal ? color.new(color.red, 90) : na, title="Sell Signal Background")
EMA 10 Breakout Scalping IndicatorEMA 10 Scalping Breakout Indicator
The EMA 10 Breakout Scalping Indicator is designed to help traders catch short-term price movements by signaling potential breakout opportunities. This indicator uses a 10-period exponential moving average (EMA) to identify key support and resistance levels. It provides clear buy and sell signals based on price breaking above or below the EMA.
Features:
BUY Signal: The indicator generates a green label below the bar when the price crosses above the EMA, indicating a potential uptrend and buying opportunity.
SELL Signal: A red label appears above the bar when the price crosses below the EMA, suggesting a potential downtrend and opportunity to sell.
EMA Visualization: The 10-period EMA is plotted on the chart to visually track the short-term trend.
Real-Time Alerts: Quickly identify breakout points on any time frame for active scalping or trend-following strategies.
How to use:
BUY Signal: Enter a long position when the price crosses above the EMA.
SELL Signal: Enter a short position when the price crosses below the EMA.
EMA: EMA helps determine the direction of the trend. A price above the EMA indicates an uptrend, while a price below it suggests a downtrend.
Personalization:
You can easily adjust the EMA period to suit your trading style and time frame.
This indicator is ideal for scalpers or day traders looking to trade based on short-term price movements.
Perfect for:
Scalping: Catch small price movements with quick entries and exits.
Trend Following: Use the EMA to identify the current trend and enter trades accordingly.
Conclusion:
This simple yet powerful indicator helps traders spot potential breakouts based on the EMA 10. By combining price action and EMA, traders can execute timely trades and improve their decision-making process in both trend and range markets.
Let me know if you find this indicator useful, or feel free to suggest features you'd like to see added. Happy trading!
Volume to Candle Size Ratio - UpdatedBased on the script from but with some added features (more to come)
(don't mind that the screen shot above has 3 of the same indicator....I was testing/debugging when it took and published the screen shot)
What's new:
- Works across all time frames, not just the 5 minute
- Added a moving average line
- Added alerts so that you don't have to watch the charts
Soon to come:
- Add levels/zones to be shown on the chart and used with the indicator. The indicator will alert you when a volume/price ratio candle approaches your levels (would also be useful for automated backtesting)
- Using the volume profile and the indicator to automate finding levels/zones for you
2 EMAs [Beymann Cap]This script plots two EMAs (9 and 20 by default).
Bullish trend:
When the shorter EMA is above the longer EMA, and both are rising, the trend turns green. If either one stops rising, it turns blue, indicating uncertainty.
Bearish trend:
When the shorter EMA is below the longer EMA, and both are falling, the trend turns red. If either one stops falling, it turns blue, indicating uncertainty.
Russian Roulette IndicatorThis indicator is dangerous and I don't recommend you to use it. I was just back testing What would it look like if we try to randomize the entries just like Russian Roulette. The only thing that this script relies on is the 200MA where the script will activate and starts flipping a coin with every single candle. It's your choice to buy or sell.
EMA, SMA, BB & 5-21 StrategyThis Pine Script code displays Exponential Moving Averages (EMA) and Simple Moving Averages (MA) on a TradingView chart based on the user's selection. Users can choose to show EMA, MA, or both. The script includes predefined periods for both EMA ( ) and MA ( ). Each period is displayed in a different color, making it easy to distinguish between each line. This helps traders analyze trends, support, and resistance levels effectively. And Bollinger bands, 5-21 Strategy
Bu Pine Script kodu, Üstel Hareketli Ortalama (EMA) ve Basit Hareketli Ortalama (MA) çizgilerini TradingView grafiğinde kullanıcının seçimine göre gösterir. Kullanıcı EMA, MA veya her ikisini seçebilir. EMA için ve MA için periyotları tanımlıdır. Her çizgi farklı renkte gösterilir, bu da periyotları ayırt etmeyi kolaylaştırır. Bu gösterge, yatırımcıların trendleri, destek ve direnç seviyelerini analiz etmesine yardımcı olur.
30 min Aroon Datlı Strategy Use 30 minute with 100 SMA. If it buys above 100 SMA a long trade will be entered. If it sells below 100 SMA short trade will be entered.
Fibonacci Ratios with EMA Channel
Trend following indicator that determines a target position with a retracement to the Ema average.
Oğuzhan T.
MTF+MA V2 MTF+MA Indicator by ridvansozen1
The MTF+MA Indicator is a multi-timeframe moving average strategy developed by TradingView user ridvansozen1. This tool is designed to assist cryptocurrency traders in identifying potential long and short trading opportunities by analyzing market trends across multiple timeframes.
Key Features:
Multi-Timeframe Analysis: Utilizes fast and slow exponential moving averages (EMAs) on user-defined long, mid, and short-term timeframes to assess market direction.
Signal Generation: Generates long signals when all selected timeframes indicate a positive trend and short signals when all indicate a negative trend.
Customizable Parameters: Allows users to adjust source data, EMA lengths, and timeframes to tailor the strategy to specific trading preferences.
Date Range Filtering: Includes settings to define specific date ranges for signal generation, enabling focused backtesting and analysis.
How to Use:
Configure Moving Averages: Set your preferred lengths for the fast and slow EMAs.
Select Timeframes: Choose the long, mid, and short-term timeframes that align with your trading strategy.
Set Date Range: Define the date range during which the strategy should generate signals.
Interpret Signals: Monitor the indicator plots—green, blue, and red lines representing the EMA differences across timeframes. A long position is suggested when all three lines are above zero, and a short position is suggested when all are below zero.
Disclaimer: This indicator is intended for educational purposes and should not be considered financial advice. Users are encouraged to conduct thorough backtesting and apply proper risk management before utilizing this strategy in live trading.
10 EMA Break with Volume ConfirmationTracks when price breaks above or below 10 EMA with above average volume useful for meaningful breaks above or below as well as false breaks with easy to read icons
enjoy :)
FlexiMA - Customizable Moving Averages ProDescrição:
O FlexiMA - Customizable Moving Averages Pro é um indicador de médias móveis altamente customizável desenvolvido para traders que buscam flexibilidade e precisão na análise de tendência. Este indicador permite ao usuário ajustar até quatro médias móveis, escolhendo o tipo de média, período, cor, estilo e espessura das linhas de acordo com sua estratégia.
Funcionalidades Principais:
Seleção do Tipo de Média Móvel:
O FlexiMA oferece múltiplas opções de médias móveis para cada uma das quatro linhas disponíveis. Isso inclui tipos de médias clássicas, como Simples (SMA), Exponencial (EMA), e outras avançadas como Welles Wilder.
Personalização de Períodos:
O usuário pode configurar períodos distintos para cada média móvel, tornando o indicador adaptável tanto para estratégias de curto quanto de longo prazo.
Controle Completo do Estilo:
O FlexiMA permite ajustar a cor, a espessura e o tipo de linha (contínua, pontilhada, etc.) de cada média móvel, proporcionando uma visualização clara e organizada no gráfico.
Ativação/Desativação de Médias:
Cada uma das quatro médias móveis pode ser ativada ou desativada de forma independente, permitindo que o trader trabalhe com uma única média, pares, ou todas as quatro, conforme necessário.
Como Utilizar:
Este indicador é projetado para servir tanto traders iniciantes quanto experientes. Você pode configurá-lo para ajudar a identificar tendências de alta e baixa, pontos de reversão e até sinais de entrada e saída.
O FlexiMA permite, por exemplo, definir uma combinação clássica de médias de 50 e 200 períodos para identificar mudanças de tendência de longo prazo, enquanto as médias mais curtas podem ser usadas para sinalizar entradas rápidas.
Exemplos de Aplicação:
Estratégia de Cruzamento: Defina uma média de curto prazo e uma de longo prazo e acompanhe os pontos de cruzamento para detectar mudanças de tendência.
Análise Multi-Temporal: Configure cada média móvel para períodos diferentes e utilize-os para analisar tendências em várias janelas temporais ao mesmo tempo.
Confirmação de Volume: Com a opção de incluir a VWMA, é possível obter uma leitura de tendência ponderada pelo volume, útil para confirmar a força das movimentações de preço.
Recomendações:
Este indicador é recomendado para traders que buscam um maior controle sobre suas análises de tendências e uma experiência de uso personalizada no TradingView.
Resumo das Configurações:
Tipos de Média: SMA, EMA, WW.
Configuração de Período: Definido pelo usuário para cada média.
Estilo de Linha: Contínua, pontilhada, entre outros.
Cor e Espessura: Totalmente customizáveis.
Swiss Army Knife Technical Indicator by OthoThis indicator is a powerful tool designed for traders who want a clear, multi-timeframe perspective on market trends. It combines multiple features into one easy-to-read tool, providing insights into market direction, trend strength, and key price action patterns. The indicator also highlights areas of bullish and bearish runs, helping users quickly identify potential opportunities.
Features
Multi-Timeframe Bias Analysis:
This feature calculates trend bias across various timeframes (12-month, monthly, weekly, daily, 4-hour, and 1-hour).
The overall "Current Bias Preference" (Bullish, Bearish, or Neutral) summarizes the market’s direction.
A "Strength of Bias" percentage shows the confidence in the trend, from 0% to 100%.
Bullish/Bearish Run Zones:
The indicator highlights bullish and bearish run periods with green and red background colors, respectively.
These areas represent periods of strong directional moves and help you visually identify trends without cluttering the chart with stop-loss levels.
Once a trend is identified, the timeline remains on the chart as a visual reminder of past market movement, making it easy to reference recent bullish or bearish runs.
RSI Condition Indicator:
The "RSI Indicator" provides a reading of overbought/oversold levels as a percentage (e.g., “Overbought 70%”).
This helps gauge market momentum and identify potential reversal points.
Candle Pattern Recognition:
The tool identifies key candle patterns, including Doji, Hammer, Bullish Engulfing, and Bearish Engulfing.
Patterns are labeled directly on the chart, helping traders quickly spot important price action signals.
How to Use It
Identify Market Direction: Check the "Current Bias Preference" and "Strength of Bias" to determine the overall trend. For instance, if all timeframes align as "Bullish" with a high strength percentage, this suggests a strong uptrend.
Use Bullish/Bearish Run Zones: The green and red background colors highlight past bullish and bearish runs, allowing you to see recent directional momentum without cluttering the chart.
Monitor RSI Levels: The RSI Indicator displays overbought/oversold conditions as a percentage, helping you assess potential reversals or continuation signals.
Watch for Candle Patterns: Look out for Doji, Hammer, and Engulfing patterns, which may signal entry or exit points when aligned with the overall trend.
This tool provides a structured way to assess trends, spot entry signals, and visualize past market movements, making it an excellent companion for any trader’s toolkit.
Cross-Over Trend Detector MA 10/30"Trend Bend Cross-Over Trend Detector MA 10/30 " Indicator - Recognizing a Change in Trend
"Trend Bend" is an indicator created for easy visualization of trends and their change through the crossover of two moving averages (Moving Averages - MAs). This indicator helps traders determine market direction and possible trend reversals using a simple yet effective method.
Basic Script Functions and Logic
Pair Moving Averages:
Fast MA with a default length of 10 and Slow MA with a length of 30.
The fast moving average follows the current price more closely, while the slow moving average smooths out the trend. Crossing between the two indicates a change in trend direction.
Lengths can be changed according to the user's preferences and trading style.
Trend Reversal Signals:
When the fast moving average crosses the slow moving average from the bottom up, an "UP" signal is displayed - indicating a possible uptrend.
When the fast moving average crosses the slow moving average from top to bottom, a "DOWN" signal is displayed - indicating a potential downtrend.
EMA Monitoring [Poltak]The indicator shows EMA 50, 100, 150, and 200 trend status.
You can configure time frame that you need as well.
Moving Average Simple Tool [OmegaTools]This TradingView script is a versatile Moving Average Tool that offers users multiple moving average types and a customizable overbought and oversold (OB/OS) sensitivity feature. It is designed to assist in identifying potential price trends, reversals, and momentum by using different average calculations and providing visual indicators for deviation levels. Below is a detailed breakdown of the settings, functionality, and visual elements within the Moving Average Simple Tool.
Indicator Overview
Indicator Name: Moving Average Simple Tool
Short Title: MA Tool
Purpose: Provides a choice of six moving average types with configurable sensitivity, which helps traders identify trend direction, potential reversal zones, and overbought or oversold conditions.
Input Parameters
Source (src): This option allows the user to select the data source for the moving average calculation. By default, it is set to close, but users can choose other options like open, high, low, or any custom price data.
Length (lnt): Defines the period length for the moving average. By default, it is set to 21 periods, allowing users to adjust the moving average sensitivity to either shorter or longer periods.
Average Type (mode): This input defines the moving average calculation type. Six types of averages are available:
SMA (Simple Moving Average)
EMA (Exponential Moving Average)
WMA (Weighted Moving Average)
VWMA (Volume-Weighted Moving Average)
RMA (Rolling Moving Average)
Middle Line: Calculates the average between the highest and lowest price over the period specified in Length. This is useful for a mid-range line rather than a traditional moving average.
Sensitivity (sens): This parameter controls the sensitivity of the overbought and oversold levels. The sensitivity value can range from 1 to 40, where a lower value represents a higher sensitivity and a higher value allows for smoother OB/OS zones.
Color Settings:
OS (Oversold Color, upc): The color applied to deviation areas that fall below the oversold threshold.
OB (Overbought Color, dnc): The color applied to deviation areas that exceed the overbought threshold.
Middle Line Color (midc): A gradient color that visually blends between overbought and oversold colors for smoother visual transitions.
Calculation Components
Moving Average Calculation (mu): Based on the chosen Average Type, this calculation derives the moving average or middle line value for the selected source and length.
Deviation (dev): The deviation of the source value from the moving average is calculated. This is useful to determine whether the current price is significantly above or below the average, signaling potential buying or selling opportunities.
Overbought (ob) and Oversold (os) Levels: These levels are calculated using a linear percentile interpolation based on the deviation, length, and sensitivity inputs. The higher the sensitivity, the narrower the overbought and oversold zones, allowing users to capture more frequent signals.
Visual Elements
Moving Average Line (mu): This line represents the moving average based on the selected calculation method and is plotted with a dynamic color based on deviation thresholds. When the deviation crosses into overbought or oversold zones, it shifts to the corresponding OB/OS colors, providing a visual indication of potential trend reversals.
Deviation Plot (dev): This plot visualizes the deviation values as a column plot, with colors matching the overbought, oversold, or neutral states. This helps users to quickly assess whether the price is trending or reverting back to its mean.
Overbought (ob) and Oversold (os) Levels: These levels are plotted as fixed lines, helping users identify when the deviation crosses into overbought or oversold zones.
Trading Copter Ribbon EMATrading Copter Ribbon EMA is a versatile technical analysis tool designed to help traders identify trends and potential reversals in the market. This indicator utilizes multiple Exponential Moving Averages (EMAs) with varying lengths to create a dynamic ribbon effect, offering clear visual cues of market direction.
FFMFFW Daily EMA 21 Trend Cross/Retest MarkupA script that marks up the daily close of possible entries and retests
EMA AND PIVOT its a combination multiple EMA and pivot point indicator for finding major crucial points
Aadil's Buy Sell StrategyEMA Rejection Strategy
Overview: The EMA Rejection Strategy is designed for traders who rely on technical analysis to make informed trading decisions. This strategy is ideal for identifying potential buy and sell signals based on price rejections from the Exponential Moving Average (EMA). Specifically, it focuses on detecting scenarios where the price interacts with the 9-period EMA, providing clear entry points for traders.
Features:
EMA Calculation: Uses a 9-period EMA to identify key price levels.
Buy Signal: Generated when the price drops below the EMA and then closes above it, indicating a bullish rejection.
Sell Signal: Generated when the price rises above the EMA and then closes below it, indicating a bearish rejection.
Visual Indicators: Plots the EMA on the chart and marks buy/sell signals for easy identification.
Automated Trading: Integrates with TradingView’s strategy framework to execute trades automatically based on the signals.
Who Will Use This: This strategy is suited for:
Day Traders: Who need real-time signals for quick buy and sell decisions.
Swing Traders: Who look for short to medium-term trading opportunities based on price rejections.
Technical Analysts: Who rely on EMA as a key indicator for market trends and reversals.
Automated Trading Enthusiasts: Who want to incorporate EMA-based rejections into their algorithmic trading setups.
Try it then let me know ;)