RSI Swing Indicator with 200 EMAThis indicator combines a custom RSI-based swing indicator with a 200-period Exponential Moving Average (EMA) to help identify potential reversal points and confirm trend direction.
RSI Swing Indicator: It uses RSI to detect overbought and oversold conditions. When RSI reaches these extreme levels, the indicator marks "swing points" on the chart, with labels showing "HH" (Higher High) or "LH" (Lower High) for overbought and "LL" (Lower Low) or "HL" (Higher Low) for oversold, based on recent price action.
200 EMA: The 200 EMA provides a long-term trend filter. Generally, prices above the 200 EMA suggest an uptrend, while prices below indicate a downtrend. This helps traders decide whether to take trades in the direction of the larger trend.
Фундаментальный анализ
B1-S2 IndicatorThe B1-S2 Indicator is designed to detect potential entry and exit points. It provides graded signals for buy and sell positions (B1/B2/B for buy, S1/S2/S for sell) to help traders refine their decisions. This versatile strategy shows solid performance on daily timeframes, with potential signals on shorter intervals like 4-hour and 2-hour charts.
Usage Instructions
1) The indicator works best when used in conjunction with the overall market trend.
2) Market trend is displayed by Super Trend(line) and Parabolic Sar(dots) and also two SMA(9) SMA(21) on the chart.
2) In uptrends, prioritize B1 and B2 signals and B signals(combination of B1 and B2) for potential long entries.
In downtrends, look for S1 and S2 signals and S signals (a combination of S1 and S2) as potential exit points or short positions.
3) This indicator shows you a potential trend reversal when signals appear.
4) As a BIG plus you must consider using price levels and signals together. If the price is close to a strong level and signals appear it may suggest you as an entry point in position.
5) Also you can combine signals with the usual technical analysis.
6) As well, a possible entry may occur when we see a divergence in RSI and a lot of signals appear.
7) Volume confirmation ensures that the market is backing the signal, adding extra strength to the move.
How the script works
Indicator Components:
1) RSI (Relative Strength Index)
- Default period: 16
- Signals are generated when the RSI crosses key thresholds.
- Buy signals (b1, b2) appear when RSI shows oversold conditions (below 45).
- Sell signals (s1, s2) appear when RSI shows overbought conditions (above 60).
2) Williams %R
- Default period: 16
- Provides additional confirmation of overbought/oversold market conditions.
- Buy signals appear when Williams %R is below -75.
- Sell signals appear when Williams %R is above -25.
3) Volume Confirmation
- Buy and sell signals are only valid when trading volume exceeds certain thresholds, ensuring that signals occur during significant market activity.
- Volume thresholds for buy (b1 and b2) and sell (s1 and s2) signals are adjustable.
4) Ichimoku Kinko Hyo
- Provides strong trend signals based on the crossover of the Tenkan and Kijun lines, as well as the position of the price relative to the Senkou Span A and B clouds.
- Bullish signals are confirmed when the price is above the cloud, and bearish signals are confirmed when the price is below the cloud.
5) Rahul Mohindar Oscillator
- The RMO identifies market trends and generates long (buy) and short (sell) signals based on the crossover of the SwingTrd2 and SwingTrd3 oscillators.
- This serves as an additional confirmation for bullish and bearish trends.
6) Major Leledc Exhaustion Bar
- This signal identifies potential market exhaustion by comparing the current price with historical high/low levels over a specified number of bars.
- Bullish exhaustion (buy) is signalled when a strong downtrend shows signs of reversal, and bearish exhaustion (sell) is signalled during strong uptrends that may be reversing.
Buy/Sell Signal Gradation
- b1 Buy : A mild buy indication triggered when RSI and Williams %R show oversold conditions combined with high trading volume. It suggests a possible rebound but lacks strong trend confirmation.
- b2 Buy : A stronger buy signal, activated when trend confirmations occur from Ichimoku, Rahul Mohindar Oscillator (RMO), and Major Leledc Exhaustion and stronger volume confirmation. This signal reflects a potential trend continuation and suggests a stronger buying opportunity.
- s1 Sell : A mild sell indication triggered by overbought conditions on the RSI and Williams %R, along with high trading volume, suggesting a potential downturn.
- s2 Sell : A stronger sell signal that activates when trend confirmations occur from Ichimoku, RMO, and Major Leledc Exhaustion and stronger volume confirmation. It signals a more probable downward trend.
- B buy : Big letter B shows strong Buy signals when b1 and b2 occur on the same candle.
- S Sell : Big letter S shows strong Buy signals when s1 and s2 occur on the same candle.
SUGGESTION:
Use Buy/Sell Signals along with trend reversal confirmation(Super Trend or Parabolic Sar).
Want to send a BIG THANKS to the creator of ADEPT_bitcoin buy&sell v.3.1
From ADEPT_bitcoin buy&sell v.3.1 script were added several indicators for confirmation for the creation of b2 and s2 signals.: Major Leledc Exhaustion Bar, Rahul Mohindar Oscillator, and Ichimoku Kinko Hyo.
Also Big thanks for SuperTrend and Parabolic SAR implementation By everget .
Enjoy. And don't be afraid of changing some indicator settings.
Moving Average Cross with RSI Confirmation and TargetsMoving Average Cross with RSI Confirmation and Targets
RSI & Impulse MACD Buy/Sell Signal//@version=5
indicator("RSI & Impulse MACD Buy/Sell Signal", overlay=true)
// Define RSI settings
rsiPeriod = 14
rsiSource = close
rsi = ta.rsi(rsiSource, rsiPeriod)
// Define MACD settings
macdFastLength = 12
macdSlowLength = 26
macdSignalSmoothing = 9
= ta.macd(close, macdFastLength, macdSlowLength, macdSignalSmoothing)
// Detect MACD crossing above and below zero
macdAboveZero = ta.crossover(macdLine, 0)
macdBelowZero = ta.crossunder(macdLine, 0)
// Function to check for RSI bullish divergence
isBullishDivergence(rsiSource, rsi) =>
// Find the lowest low of the last 5 bars
low1 = ta.valuewhen(low == ta.lowest(low, 5), low, 0)
low2 = ta.valuewhen(low == ta.lowest(low, 5), low, 1)
// Find corresponding RSI values at those lows
rsi1 = ta.valuewhen(low == ta.lowest(low, 5), rsi, 0)
rsi2 = ta.valuewhen(low == ta.lowest(low, 5), rsi, 1)
// Check if we have a bullish divergence: price makes a lower low, and RSI makes a higher low
priceDivergence = (low1 < low2) and (rsi1 > rsi2)
priceDivergence
// Function to check for RSI bearish divergence
isBearishDivergence(rsiSource, rsi) =>
// Find the highest high of the last 5 bars
high1 = ta.valuewhen(high == ta.highest(high, 5), high, 0)
high2 = ta.valuewhen(high == ta.highest(high, 5), high, 1)
// Find corresponding RSI values at those highs
rsi1 = ta.valuewhen(high == ta.highest(high, 5), rsi, 0)
rsi2 = ta.valuewhen(high == ta.highest(high, 5), rsi, 1)
// Check if we have a bearish divergence: price makes a higher high, and RSI makes a lower high
priceDivergence = (high1 > high2) and (rsi1 < rsi2)
priceDivergence
// Check for bullish and bearish divergences in RSI
bullishDivergence = isBullishDivergence(rsiSource, rsi)
bearishDivergence = isBearishDivergence(rsiSource, rsi)
// Condition for Buy Signal: MACD crossing above zero + RSI bullish divergence
buySignal = macdAboveZero and bullishDivergence
// Condition for Sell Signal: MACD crossing below zero + RSI bearish divergence
sellSignal = macdBelowZero and bearishDivergence
// Plot buy and sell signals on the chart
plotshape(buySignal, title="Buy Signal", location=location.belowbar, color=color.green, style=shape.labelup, text="BUY")
plotshape(sellSignal, title="Sell Signal", location=location.abovebar, color=color.red, style=shape.labeldown, text="SELL")
// Plot RSI and MACD on the chart for reference
plot(rsi, title="RSI", color=color.blue, linewidth=1)
hline(70, "Overbought", color=color.red)
hline(30, "Oversold", color=color.green)
plot(macdLine, title="MACD Line", color=color.blue)
plot(signalLine, title="Signal Line", color=color.orange)
hline(0, "MACD Zero Line", color=color.gray)
M2 Money Supply vs SPY SpreadSpread between M2 Money Supply and SPY, with Bollinger bands to see when it has become overextended in either direction.
Yusuf - En İyi Gösterge//@version=5
indicator("Yusuf & ChatGPT - En İyi Gösterge", overlay=true)
// Parametreler
length = input.int(14, title="RSI Periyodu")
rsiOverbought = input.int(70, title="RSI Aşırı Alım", minval=1, maxval=100)
rsiOversold = input.int(30, title="RSI Aşırı Satım", minval=1, maxval=100)
bbLength = input.int(20, title="Bollinger Bands Periyodu")
bbMultiplier = input.float(2.0, title="Bollinger Bands Çarpanı")
supertrendLength = input.int(10, title="Supertrend Periyodu")
supertrendMultiplier = input.float(3.0, title="Supertrend Çarpanı")
// RSI Hesaplaması
rsiValue = ta.rsi(close, length)
// Bollinger Bands Hesaplaması
basis = ta.sma(close, bbLength)
bbUpper = basis + bbMultiplier * ta.stdev(close, bbLength)
bbLower = basis - bbMultiplier * ta.stdev(close, bbLength)
// Supertrend Hesaplaması
= ta.supertrend(supertrendMultiplier, supertrendLength)
// Al/Sat Koşulları
buySignal = (rsiValue < rsiOversold) and (close < bbLower) and (direction > 0)
sellSignal = (rsiValue > rsiOverbought) and (close > bbUpper) and (direction < 0)
// Sinyalleri Grafikte Göster
plotshape(series=buySignal, location=location.belowbar, color=color.green, style=shape.labelup, title="Al Sinyali", text="BUY")
plotshape(series=sellSignal, location=location.abovebar, color=color.red, style=shape.labeldown, title="Sat Sinyali", text="SELL")
// Göstergeleri Grafikte Göster
plot(bbUpper, color=color.blue, title="Bollinger Bands Üst")
plot(bbLower, color=color.blue, title="Bollinger Bands Alt")
plot(supertrend, color=color.purple, title="Supertrend")
hline(rsiOverbought, "RSI Aşırı Alım", color=color.red)
hline(rsiOversold, "RSI Aşırı Satım", color=color.green)
Adaptive Support & Resistance Zones Description:
The Enhanced Support and Resistance Zones indicator identifies and visualizes significant support and resistance areas on the chart, helping traders spot potential reversal or breakout points. This tool offers advanced customization options for zone thickness, lookback period, validation criteria, and zone expiration, making it adaptable for various trading styles and market conditions.
Key Features:
1. Zone Thickness Multiplier: The Zone Thickness Multiplier controls the visual “thickness” of each support and resistance zone, allowing traders to adjust the width based on volatility or personal preference. A higher multiplier increases the zone’s range, capturing a wider area around the support or resistance level.
2. Lookback Periods for Support and Resistance: The Lookback for Resistance and Lookback for Support inputs define the number of bars analyzed to identify swing highs and lows, respectively. This allows traders to adjust how far back the script should search for key levels, which can be useful when adjusting for different timeframes or varying levels of historical significance in zones.
3. Minimum Touch Count: To filter out weak zones, the Minimum Touch Count setting establishes the required number of price “touches” (or tests) within a zone before it’s considered valid. By increasing this value, traders can focus only on zones that the price has interacted with frequently, indicating stronger potential support or resistance.
4. Zone Expiration Bars: The Zone Expiration Bars setting enables automatic expiration of older zones, reducing chart clutter from outdated levels. This parameter specifies the maximum number of bars a zone will remain active after its creation. When the set limit is reached, the zone is cleared, allowing the indicator to stay responsive to more recent price action.
5. Dynamic Visualization by Touch Count: Zones with more touches are displayed with a thicker line, visually emphasizing the strength of these areas. Zones with fewer touches are shown with a thinner line, helping traders easily distinguish between stronger and weaker support and resistance levels.
6. Alerts for Zone Touches: Alerts can be configured to notify traders when the price touches the support or resistance zones, offering real-time notifications for potential trading opportunities.
How to Use:
1. Adjusting Zone Thickness: Use the Zone Thickness Multiplier to expand or contract the width of each zone. A higher multiplier may be beneficial in volatile markets, where price tends to fluctuate around levels rather than touching them precisely. Lower values can provide a more precise zone in less volatile environments.
2. Setting Lookback Periods for Zone Identification: The Lookback for Resistance and Lookback for Support inputs allow traders to define how many historical bars to analyze for determining key levels. Longer lookbacks may be useful on higher timeframes to capture more significant support or resistance, while shorter lookbacks can be suitable for lower timeframes or more recent levels.
3. Filtering with Minimum Touch Count: Increase the Minimum Touch Count to filter for stronger zones. For example, setting a minimum touch count of 3 will display only zones that have been tested by the price at least three times, indicating potentially stronger support or resistance.
4. Configuring Zone Expiration: Use Zone Expiration Bars to limit how long each zone remains on the chart, helping to keep the focus on more recent levels. Expiring zones after a set number of bars can be especially useful on lower timeframes, where older levels may no longer be relevant.
5. Using Alerts for Real-Time Notifications: Set up alerts to receive notifications when price enters the support or resistance zones, allowing you to monitor potential trade setups without needing to watch the chart continuously.
This indicator is well-suited for traders aiming to identify high-quality support and resistance areas while managing chart clarity. With these customizable options, traders can adapt the indicator to match their unique trading style and market focus. For best results, test these settings on your preferred timeframe and adjust parameters to fit specific trading goals and market conditions.
XRP Comparative RSI Indicator - Final VersionXRP Comparative RSI Indicator - Final Version
The XRP Comparative RSI Indicator offers a dynamic analysis of XRP’s market positioning through relative strength index (RSI) comparisons across various cryptocurrencies and major market indicators. This indicator allows traders and analysts to gauge XRP’s momentum and potential turning points within different market conditions.
Key Features:
• Normalized RSIs: Each RSI value is normalized between 0.00 and 1.00, allowing seamless comparison across multiple assets.
• Grouped Analysis: Three RSI groups provide specific insights:
• Group 1 (XRP-Specific): Measures XRPUSD, XRP Dominance (XRP.D), and XRP/BTC, focusing on XRP’s performance across different trading pairs.
• Group 2 (Market Influence - Bitcoin): Measures BTCUSD, BTC Dominance (BTC.D), and XRP/BTC, capturing the influence of Bitcoin on XRP.
• Group 3 (Liquidity Impact): Measures USDT Dominance (USDT.D), BTCUSD, and ETHUSD, evaluating the liquidity impact from key assets and stablecoins.
• Individual Asset RSIs: Track the normalized RSI for each specific pair or asset, including XRPUSD, BTCUSD, ETHUSD, XRP/BTC, BTC Dominance, ETH Dominance, and the S&P 500.
• Clear Color Coding: Each asset’s RSI is plotted with a unique color scheme, consistent with the first indicator, for easy recognition.
This indicator is ideal for identifying relative strengths, potential entry and exit signals, and understanding how XRP’s momentum aligns or diverges from broader market trends.
Range Detect SystemTechnical analysis indicator designed to identify potential significant price ranges and the distribution of volume within those ranges. The system helps traders calculate POC and show volume history. Also detecting breakouts or potential reversals. System identifies ranges with a high probability of price consolidation and helps screen out extreme price moves or ranges that do not meet certain volatility thresholds.
⭕️ Key Features
Range Detection — identifies price ranges where consolidation is occurring.
Volume Profile Calculation — indicator calculates the Point of Control (POC) based on volume distribution within the identified range, enhancing the analysis of market structure.
Volume History — shows where the largest volume was traded from the center of the range. If the volume is greater in the upper part of the range, the color will be green. If the volume is greater in the lower part, the color will be red.
Range Filtering — Includes multi-level filtering options to avoid ranges that are too volatile or outside normal ranges.
Visual Customization — Shows graphical indicators for potential bullish or bearish crossovers at the upper and lower range boundaries. Users can choose the style and color of the lines, making it easier to visualize ranges and important levels on the chart.
Alerts — system will notify you when a range has been created and also when the price leaves the range.
⭕️ How it works
Extremes (Pivot Points) are taken as a basis, after confirming the relevance of the extremes we take the upper and lower extremes and form a range. We check if it does not violate a number of rules and filters, perform volume calculations, and only then is the range displayed.
Pivot points is a built-in feature that shows an extremum if it has not been updated N bars to the left and N bars to the right. Therefore, there is a delay depending on the bars specified to check, which allows for a more accurate range. This approach allows not to make unnecessary recalculations, which completely eliminates the possibility of redrawing or range changes.
⭕️ Settings
Left Bars and Right Bars — Allows you to define the point that is the highest among the specified number of bars to the left and right of this point.
Range Logic — Select from which point to draw the range. Maximums only, Minimums only or both.
Use Wick — Option to consider the wick of the candles when identifying Range.
Breakout Confirmation — The number of bars required to confirm a breakout, after which the range will close.
Minimum Range Length — Sets the minimum number of candles needed for a range to be considered valid.
Row Size — Number of levels to calculate POC. *Larger values increase the script load.
% Range Filter — Dont Show Range is than more N% of Average Range.
Multi Filter — Allows use of Bollinger Bands, ATR, SMA, or Highest-Lowest range channels for filtering ranges based on volatility.
Range Hit — Shows graphical labels when price hits the upper or lower boundaries of the range, signaling potential reversal or breakout points.
Range Start — Show points where Range was created.
Bullish B's - RSI Divergence StrategyThis indicator strategy is an RSI (Relative Strength Index) divergence trading tool designed to identify high-probability entry and exit points based on trend shifts. It utilizes both regular and hidden RSI divergence patterns to spot potential reversals, with signals for both bullish and bearish conditions.
Key Features
Divergence Detection:
Bullish Divergence: Signals when RSI indicates momentum strengthening at a lower price level, suggesting a reversal to the upside.
Bearish Divergence: Signals when RSI shows weakening momentum at a higher price level, indicating a potential downside reversal.
Hidden Divergences: Looks for hidden bullish and bearish divergences, which signal trend continuation points where price action aligns with the prevailing trend.
Volume-Adjusted Entry Signals:
The strategy enters long trades when RSI shows bullish or hidden bullish divergence, indicating an upward momentum shift.
An optional volume filter ensures that only high-volume, high-conviction trades trigger a signal.
Exit Signals:
Exits long positions when RSI reaches a customizable overbought level, typically indicating a potential reversal or profit-taking opportunity.
Also closes positions if bearish divergence signals appear after a bullish setup, providing protection against trend reversals.
Trailing Stop-Loss:
Uses a trailing stop mechanism based on ATR (Average True Range) or a percentage threshold to lock in profits as the price moves in favor of the trade.
Alerts and Custom Notifications:
Integrated with TradingView alerts to notify the user when entry and exit conditions are met, supporting timely decision-making without constant monitoring.
Customizable Parameters:
Users can adjust the RSI period, pivot lookback range, overbought level, trailing stop type (ATR or percentage), and divergence range to fit their trading style.
Ideal Usage
This strategy is well-suited for trend traders and swing traders looking to capture reversals and trend continuations on medium to long timeframes. The divergence signals, paired with trailing stops and volume validation, make it adaptable for multiple asset classes, including stocks, forex, and crypto.
Summary
With its focus on RSI divergence, trailing stop-loss management, and volume filtering, this strategy aims to identify and capture trend changes with minimized risk. This allows traders to efficiently capture profitable moves and manage open positions with precision.
This Strategy BEST works with GLD!
Ultimate Multi Indicator - by SachaThe Ultimate Multi Indicator: The Ultimate Guide To Profit
This custom indicator, the Ultimate Multi Indicator , integrates multiple trading indicators to have powerful buy and sell signals. I combined MACD, EMA, RSI, Bollinger Bands, Volume Profile, and Ichimoku Cloud indicators to help traders analyze both short-term and long-term price movements.
Key Components and How to Use Them
- MACD (Moving Average Convergence Divergence):
- Use for trend direction and potentiality of reversals.
- The blue line (MACD Line) crossing above the orange line (Signal Line) indicates a bullish reversal; the opposite signals a bearish reversal.
- Watch for crossovers to confirm the direction of smaller price movements.
- 200 EMA (Long) (Exponential Moving Average):
- Use to indicate a long-term trend direction.
- If the price is above the 200 EMA, the market is in an uptrend; below it suggests a downtrend.
- The chart’s background color shifts subtly green (uptrend) or red (downtrend) depending on the EMA's relative position.
- RSI (Relative Strength Index):
- Tracks momentum and overbought/oversold levels.
- RSI over 70 signifies overbought conditions; under 30 indicates oversold.
- Look for RSI turning points around these levels to identify potential reversals.
- Bollinger Bands :
- The price touching or crossing the upper Bollinger Band may mean overbought conditions are filled, while a touch at the lower band indicates oversold.
- Bollinger Band interactions often align with key reversal points, especially when combined with other signals.
- Volume Profile :
- A yellow VP line on the chart represents significant trading volume occurred.
- This line can be used as both a support and resistance level, and especially during consolidations or trend changes.
- Ichimoku Cloud :
- Identifies support/resistance levels and trend direction.
- Green and red cloud regions visually show if the price is above (bullish) or below (bearish) key levels.
- Price above the cloud (green) confirms a bullish market, while below (red) signals bearish.
Signal Conditions and Visualization
- Buy Signals :
- This is triggered right away when MACD crosses up, RSI is oversold, or price touches the lower Bollinger Band, provided price is above both the Ichimoku Cloud and the 200 EMA.
- A green “BUY” label appears below the bar, suggesting a potential entry.
- Sell Signals :
- This signal is generated when MACD crosses down, RSI is overbought, or price touches the upper Bollinger Band, and price is below the Ichimoku Cloud and the 200 EMA.
- A red “SELL” label is shown above the bar, indicating a potential exit.
Tips & Tricks
- Confirm Signals : Use multiple signals to confirm entries and exits. For example, if both the MACD and RSI align with the Ichimoku Cloud direction, the trade setup is stronger.
- Trend Directions : Only take buy signals if the price is above the 200 EMA, and sell signals if it is below, aligning trades with the overall trend.
- Adjust for Volatility : In high-volatility markets, especially in the crypto markets, pay close attention to the Bollinger Bands for breakout potential.
- Ichimoku as a Trend Guide : Use the Ichimoku Cloud as a guide for long-term support and resistance levels, especially for swing trades.
This multi-layered indicator gives a balanced blend of short-term signals and long-term trend insights, making it a versatile tool for day trading, swing trading, or even longer-term analysis.
Remember that indicators that will make you rich instantly don't exist. To expect minimum profit from them, you shouldn't trade all you have at the same time but only trade with the money you can afford to lose.
After that being said, I wish you traders luck with the Ultimate Multi Indicator!
Vertical Line on Custom DateThis Pine Script code creates a custom indicator for TradingView that draws a vertical line on the chart at a specific date and time defined by the user.
User Input: Allows the user to specify the day, hour, and minute when the vertical line should appear.
Vertical Line Drawing: When the current date and time match the user’s inputs, a vertical line is drawn on the chart at the corresponding bar, offset by one bar to align properly.
Customizable Color and Width: The vertical line is displayed in purple with a customizable width.
Overall, this indicator helps traders visually mark important dates and times on their price charts.
Earning, Sales, and PriceThis Pine Script indicator is designed to visualize and analyze the growth of Earnings Per Share (EPS) and Sales for a given stock over specified time periods. With a user-friendly interface, it allows traders and investors to monitor key financial metrics, helping them make informed decisions based on company performance.
The script presents earnings, sales, and price growth in a clear tabular format directly on the price chart. It features two distinct tables: one for annual data and another for quarterly metrics. For each financial metric, the script calculates and displays growth figures by comparing the current results with either the previous quarter's numbers or the previous year's figures. Additionally, it showcases the stock price along with the corresponding growth between these two data points, providing a comprehensive view of the stock's performance over time.
How to Use:
Typically, growth stocks will rally for a few quarters. However, after significant rallies, the stock needs rest. During this period, the stock will either consolidate or slide down slowly to take support at the key moving average. Importantly, during this time, sales and earnings may continue to grow while the stock is still consolidating.
Typically, after the stock consolidates significantly—even when sales and earnings numbers are increasing—the stock will finally start the next leg of the rally just before the next earnings date or immediately after the earnings report.
For this purpose, the script shows the EPS and sales growth. Additionally, the script displays the price when the previous earnings were declared along with the price growth. This data can be used to find patterns in the stock's behavior. Utilize this indicator to analyze growth patterns and make informed trading decisions based on historical performance and upcoming earnings expectations.
Key Metrics Analyzed:
Earnings Per Share (EPS): Monitors the diluted earnings per share to evaluate company profitability.
Total Revenue: Analyzes sales performance, providing insights into overall revenue generation.
Price Growth: Tracks changes in stock price alongside EPS and sales for comprehensive performance assessment.
Usage:
Ideal for investors and traders looking to evaluate company growth potential and make data-driven decisions.
Use in conjunction with other technical analysis tools for a holistic approach to stock analysis.
Gap Finder with Box FillSetup and Inputs
The indicator checks the current and previous candles to find gaps, using a color input for filling the gap area on the chart.
Gap Detection:
If the current candle opens higher than the previous close and doesn’t overlap with the previous candle’s range, it marks this as a gap-up.
If the current candle opens lower than the previous close without overlap, it’s marked as a gap-down.
Drawing the Gap:
When a gap-up or gap-down is found, the script draws a box from the previous close to the current candle’s low or high, filling it with the chosen color.
Benefits
Visual Aid: The filled box highlights gaps, making them easy to spot on the chart.
Trade Signals: Gaps can show strong market moves, helping traders spot potential entries or watch for reversals.
Customizable: You can adjust the color to fit your chart style, making the gaps stand out clearly.
This simple tool gives traders a quick view of gaps, which are often key points of interest in technical analysis.
Asian Session ShadingDescription
The "Asian Session Shading" indicator is designed to highlight the trading hours of the Asian market session on TradingView charts. This script shades the background of the chart in a pale blue color to visually distinguish the time period of the Asian trading session. By using this indicator, traders can easily identify when the Asian session is active, helping them to analyze and make informed trading decisions based on time-specific market behavior.
Features
Customizable Timing: The session start and end times can be adjusted to fit different Asian market hours.
Visual Clarity: The pale blue shading helps to visually separate the Asian session from other trading sessions.
Easy to Use: Simple implementation with clear visual cues on the chart.
Best Use Cases
Market Analysis: Traders can use this indicator to analyze market movements and trends specific to the Asian trading session.
Trading Strategies: This tool can assist in developing and implementing trading strategies that take into account the unique characteristics of the Asian market.
Time Management: Helps traders to manage their trading schedule by clearly marking the start and end of the Asian session.
How to Use
Apply to Chart: Save and apply the indicator to your chart to see the shaded Asian session.
This indicator is particularly useful for forex traders, stock traders, and anyone looking to incorporate the Asian market's influence into their trading strategy.
Economic Profit (YavuzAkbay)The Economic Profit Indicator is a Pine Script™ tool for assessing a company’s economic profit based on key financial metrics like Return on Invested Capital (ROIC) and Weighted Average Cost of Capital (WACC). This indicator is designed to give traders a more accurate understanding of risk-adjusted returns.
Features
Customizable inputs for Risk-Free Rate and Corporate Tax Rate assets for people who are trading in other countries.
Calculates Economic Profit based on ROIC and WACC, with values shown as both plots and in an on-screen table.
Provides detailed breakdowns of all key calculations, enabling deeper insights into financial performance.
How to Use
Open the stock to be analyzed. In the settings, enter the risk-free asset (usually a 10-year bond) of the country where the company to be analyzed is located. Then enter the corporate tax of the country (USCTR for the USA, DECTR for Germany). Then enter the average return of the index the stock is in. I prefer 10% (0.10) for the SP500, different rates can be entered for different indices. Finally, the beta of the stock is entered. In future versions I will automatically pull beta and index returns, but in order to publish the indicator a bit earlier, I have left it entirely up to the investor.
How to Interpret
We see 3 pieces of data on the indicator. The dark blue one is ROIC, the dark orange one is WACC and the light blue line represents the difference between WACC and ROIC.
In a scenario where both ROIC and WACC are negative, if ROIC is lower than WACC, the share is at a complete economic loss.
In a scenario where both ROIC and WACC are negative, if ROIC has started to rise above WACC and is moving towards positive, the share is still in an economic loss but tending towards profit.
A scenario where ROIC is positive and WACC is negative is the most natural scenario for a company. In this scenario, we know that the company is doing well by a gradually increasing ROIC and a stable WACC.
In addition, if the ROIC and WACC difference line goes above 0, the company is now economically in net profit. This is the best scenario for a company.
My own investment strategy as a developer of the code is to look for the moment when ROIC is greater than WACC when ROIC and WACC are negative. At that point the stock is the best time to invest.
Trading is risky, and most traders lose money. The indicators Yavuz Akbay offers are for informational and educational purposes only. All content should be considered hypothetical, selected after the facts to demonstrate my product, and not constructed as financial advice. Decisions to buy, sell, hold, or trade in securities, commodities, and other investments involve risk and are best made based on the advice of qualified financial professionals. Past performance does not guarantee future results.
This indicator is experimental and will always remain experimental. The indicator will be updated by Yavuz Akbay according to market conditions.
MCD - Meme Coin Dominance [Da_Prof]I took the meme coins in the top 100 according to CoinMarketCap and added their market caps together and divided by TOTAL. Ultimately, I see Tradingview doing a much better job once they create a dedicated symbol for this, but in the interim, I thought this might help all you degens.
Enjoy.
Da_Prof
Multi-Currency Economic IndicatorCreating a Multi-Currency Economic Indicator that incorporates data for USD, JPY, AUD, GBP, CHF, NZD, and CAD will provide valuable insights into the economic health of these currencies. By plotting key economic indicators such as interest rates and allowing for customization, users can effectively analyze and make informed decisions.
If you have any further modifications or specific features you would like to add, feel free to let me know!
India market cap and smart dataThis indicator displays important financial and technical data, such as Market Cap, P/E Ratio, ADR %, etc.
It is specially designed for swing traders.
Key Features and Highlights
- Market Cap Alert: If the Market Cap of a stock is below 1000 crore , it is displayed in red to indicate a potential liquidity issue.
- P/E Ratio for Loss-Making Companies : For companies with net losses, the P/E ratio is shown as 0 and displayed in red , alerting you to the unprofitable status of the company.
- ADR Alert: When the ADR is below 4% , it is highlighted in red . Swing traders typically look for stocks with high ADR.
- 52-Week High Proximity: If a stock is more than 20% below its 52-week high , this data is shown in red .
- 52-Week Low Performance: If a stock is up by more than 70% from its 52-week low , the data is displayed in green , indicating strong performance.
Additional Features
- Toggle data points on or off as desired.
- Supports both dark and light modes.
- Position the table wherever preferred on the chart.
- Customize the ADR % calculation based on the desired number of days (default is 20 days).
Note: The calculation for the percentage away from the 52-week high is based on the closing price of the 52-week high candle, not the high price.
RV- Dynamic Trend AnalyzerRV Dynamic Trend Analyzer
The RV Dynamic Trend Analyzer is a powerful TradingView indicator designed to help traders identify and capitalize on trends across multiple time frames—daily, weekly, and monthly. With dynamic adjustments to key technical indicators like EMA and MACD, the tool adapts to different chart periods, ensuring more accurate signals. Whether you are swing trading or holding longer-term positions, this indicator provides reliable buy/sell signals, breakout opportunities, and customizable visual elements to enhance decision-making. Its intelligent use of EMAs and MACD values ensures high potential returns, making it suitable for traders seeking strong, data-driven strategies. Below are its core features and their respective benefits.
Supertrend Indicator:
Importance: The Supertrend is a trend-following tool that helps traders identify the market’s direction by offering clear buy and sell signals based on price movement relative to the Supertrend line.
Benefits:
Helps filter out market noise and enables traders to stay in trends longer.
The pullback detection feature enhances trade timing by identifying potential entry points during retracements.
ATH/ATL & 52-Week High/Low with Candle Coloring:
Importance: Tracking all-time highs (ATH), all-time lows (ATL), and 52-week high/low levels helps traders identify key support and resistance levels.
Benefits:
Offers insights into the strength of price movements and potential reversal zones.
Candle coloring improves visual analysis, allowing quick identification of bullish or bearish conditions at critical levels.
Multi-Time Frame Analysis
Importance: The ability to view indicators like RSI and MACD across multiple time frames provides a more in-depth and comprehensive view of market behavior, allowing traders to make informed decisions that align with both short-term and long-term trends.
Benefits:
Align Strategies Across Time frames: By using multiple time frames, traders can align their strategies with larger trends (such as weekly or daily) while executing trades on lower time frames (like 1-minute or 5-minute charts). This improves the accuracy of trade entries and exits.
Reduce False Signals: Viewing key technical indicators like RSI and MACD across different time frames reduces the likelihood of false signals by offering a broader market context, filtering out noise from smaller time frames.
Customization of Table Display: Traders can customize the position and size of a table that displays RSI and MACD values for selected time frames. This flexibility enhances visibility and ease of analysis.
Time frame-Specific Data: The code allows for displaying RSI and MACD data for up to seven different time frames, making it highly customizable for traders depending on their preferred analysis period.
Visual Clarity: The table displays key values such as RSI and MACD histogram readings in a visually clear format, with color coding to quickly indicate overbought/oversold levels or MACD crossovers.
Pivot Points:
Importance: Pivot points serve as key support and resistance levels that help predict potential price movements.
Benefits:
Assists in identifying potential reversal zones and breakout points, aiding in trade planning.
Displaying pivot points across multiple time frames enhances market insight and improves strategic planning.
Quarterly Earnings Table:
Importance: Understanding a company’s quarterly earnings releases is crucial, as these events often lead to significant price volatility. Traders can leverage this information to adjust their strategies around earnings reports and prevent unexpected losses.
Benefits:
Helps traders anticipate potential price movements due to earnings reports.
Allows traders to avoid sudden losses by being aware of important earnings announcements and adjusting positions accordingly.
Customizable Visuals for Traders:
Dark Mode: Toggle between dark and light themes based on your chart's color scheme.
Mini Mode: A condensed version that visually simplifies the data, making it quicker to interpret through color-coded traffic lights (green for positive, red for negative).
Table Size & Position: Customize the size and position of the table for better visibility on your charts.
Data Period (FQ vs FY): Easily switch between displaying quarterly or yearly data based on the selected period.
Top-Left Cell Display: Option to display Free Float or Market Cap in the top-left cell for quick reference.
Exponential Moving Averages (EMAs) with Adjustable Lengths:
Importance: EMAs are essential for identifying trends and generating reliable buy/sell signals. The indicator plots four EMAs that dynamically adjust based on the selected time frame.
Benefits:
Dynamic Time frame Logic: EMA lengths and sources automatically adapt based on whether the user selects daily, weekly, or monthly time frames. This ensures the EMAs are relevant for the chosen strategy.
Multiple EMAs: By incorporating four different EMAs, users can observe both short-term and long-term trends simultaneously, improving their ability to identify key trend shifts.
Breakout Arrow Functionality:
Importance: This feature visually signals potential buy/sell opportunities based on the interaction between EMAs and MACD crossovers.
Benefits:
Crossover Signals: Arrows are plotted when EMAs and MACD cross, indicating breakout opportunities and aiding in quick trade decisions.
RSI Filter Option: Users can apply an optional RSI filter to refine buy/sell signals, reducing false signals and improving overall accuracy.
Disclaimer:
Before engaging in actual trading, we strongly recommend back testing the this indicator to ensure it fits your trading style and risk tolerance. Be sure to adjust your risk-reward ratio and set appropriate stop-loss levels to safeguard your investments. Proper risk management is key to successful trading.
Earnings Surprise Indicator (Post-Earnings Announcement Drift)What It Does:
- Displays a company's actual earnings vs. analysts' estimates over time
- Shows "earnings surprises" - when actual results beat or miss expectations
- Helps identify trends in a company's financial performance
How It Works:
- Green bars: Positive surprise (earnings beat estimates)
- Red bars: Negative surprise (earnings missed estimates)
- Yellow line: Analysts' earnings estimates
Correlation with Post Earnings Announcement Drift (PEAD): PEAD is the tendency for a stock's price to drift in the direction of an earnings surprise for several weeks or months after the announcement.
Why It Matters:
- Positive surprises often lead to upward price drift
- Negative surprises often lead to downward price drift
- This drift can create trading opportunities
How to Use It:
1. Spot Trends:
- Consistent beats may indicate strong company performance
- Consistent misses may signal underlying issues
2. Gauge Market Expectations:
- Large surprises may lead to significant price movements
3. Timing Decisions:
- Consider long positions after positive surprises
- Consider short positions or exits after negative surprises
4. Risk Management:
- Be cautious of reversal if the drift seems excessive
- Use in conjunction with other technical and fundamental analysis
Key Takeaways:
- Earnings surprises can be fundamental-leading indicators of future stock performance, especially when correlated with analyst projections
- PEAD suggests that markets often underreact to earnings news initially
- This indicator helps visualize the magnitude and direction of surprises
- It can be a valuable tool for timing entry and exit points in trades
Quarterly Highlight ModelDiscover a new edge in your market analysis with our latest TradingView script. Designed to highlight quarterly performance, this tool not only offers insights into individual companies but also serves as a powerful lens to examine broader market trends.
Key Features:
- Quarterly Highlights: Easily identify and analyze each company's performance across four quarters, with each quarter represented by a unique color for clear visual distinction.
- Trend Analysis: Use quarterly data to spot trends and make informed decisions.
Enhance your trading strategy with deeper insights and a comprehensive view of market conditions. Check it out and let’s revolutionize the way we understand the markets!