Estrategia Percentile y Estocástico//@version=6
indicator("Estrategia Percentile y Estocástico", overlay=true)
// Parámetros del estocástico
kLength = input.int(60, "Stoch %K Length")
kSmoothing = input.int(10, "Stoch %K Smoothing")
dSmoothing = input.int(1, "Stoch %D Smoothing")
overbought = input.int(80, "Nivel sobrecompra (80)")
// Parámetros del indicador Percentile
pLength = input.int(100, "Longitud del Percentile")
percentileValue = input.float(75, "Percentile objetivo (P75)")
// Cálculo del estocástico
k = ta.sma(ta.stoch(close, high, low, kLength), kSmoothing)
d = ta.sma(k, dSmoothing)
// Simulación del Percentile (aproximación básica)
var float percentileHigh = na // Declaramos la variable para almacenar el percentil
sortedHighs = array.new_float(0) // Array para almacenar los valores de `high`
if bar_index >= pLength
array.clear(sortedHighs) // Limpiamos el array en cada iteración
for i = 0 to pLength - 1
array.push(sortedHighs, high )
array.sort(sortedHighs, order=order.ascending)
rank = math.round(percentileValue / 100 * (pLength - 1))
percentileHigh := array.get(sortedHighs, rank)
// Condición de venta
cruceAbajo = not na(percentileHigh) and close < percentileHigh and close >= percentileHigh
stochEnSobrecompra = k > overbought
// Swing High para Stop Loss
swingHigh = ta.highest(high, 10) // Swing high de los últimos 10 períodos
// Señal de venta
venta = cruceAbajo and stochEnSobrecompra
// Plotear Percentile
plot(percentileHigh, color=color.orange, title="P75 (Percentile)")
// Colocar flechas para la señal de venta
plotshape(venta, style=shape.labeldown, location=location.abovebar, color=color.red, size=size.small, title="Venta")
// Mostrar Stop Loss en el gráfico
if venta
line.new(bar_index, swingHigh, bar_index + 1, swingHigh, color=color.red, width=1, extend=extend.none)
Indicators and strategies
Option Time ValueThis TradingView script calculates and visualizes the time value of an option (Call or Put) based on its market price and intrinsic value. The time value represents the premium paid for the option above its intrinsic value, and it is a key metric for analyzing the cost of holding an option.
This script is suitable for traders analyzing options on indices or stocks, such as the NIFTY 50, and supports both Call and Put options. By dynamically extracting the strike price and option type from the input symbol, it adapts seamlessly to the selected instrument.
Key Features:
Dynamic Instrument Selection:
Users can input the underlying asset (e.g., NSE:NIFTY) and the specific option instrument (e.g., NSE:NIFTY250327C24000 for a Call or NSE:NIFTY250327P24000 for a Put).
Automatic Option Type Detection:
The script detects whether the option is a Call or a Put by parsing the input symbol for the characters "C" (Call) or "P" (Put).
Dynamic Strike Price Extraction:
The strike price is dynamically extracted from the input option symbol, eliminating the need for hardcoding and reducing user errors.
Key Metrics Plotted:
Time Value: The premium paid above the intrinsic value, plotted in blue.
Intrinsic Value: The calculated intrinsic value of the option, plotted in green.
Seamless Integration:
Designed for ease of use and integration into existing TradingView setups.
Automatically adjusts to the timeframe and pricing data of the selected instruments.
GG_EMA 50/200 Crossover with RSI StrategyThe script generates a long signal if the 50 ema crosses the 200 upwards and at the same time the RSI >50.
The script generates a short signal if the 50 ema crosses the 200 downwards and at the same time the RSI <50.
Simple Technical DashboardSimple Technical Dashboard is a comprehensive Pine Script indicator designed for rapid market analysis on TradingView charts. It presents a color-coded table in the top-right corner of the chart, enabling traders to instantly assess market conditions through multiple technical indicators. The dashboard operates as a chart overlay, providing real-time status updates for the selected trading symbol without interfering with the main price action display.
Key features include
- dynamic monitoring of three exponential moving averages (20, 50, and 200-period EMA)
- RSI with a 14-period setting
- MACD using standard parameters (12, 26, 9)
- Stochastic oscillator with 3-period smoothing.
Each indicator's status is displayed through an intuitive color scheme where
- green represents bullish conditions
- red indicates bearish signals.
The dashboard simplifies complex technical analysis by converting multiple indicators into clear visual signals, making it particularly valuable for quick market assessment and trade decision validation.
Double Bottom[DBBUY]/Top[DTSELL] WITH KILLZONES [Dante123456]Indicator Overview**
The Double Top/Bottom indicator is a technical analysis tool designed to detect and label potential **Double Top** and **Double Bottom** patterns. These chart patterns are widely recognized as reversal signals, indicating a possible trend change.
- Double Top : This pattern forms after an uptrend and suggests a potential trend reversal to the downside. It occurs when the price reaches a peak (resistance level), pulls back, rises again to the same level, and then declines.
- Double Bottom : This pattern forms after a downtrend and suggests a potential trend reversal to the upside. It occurs when the price hits a low (support level), rallies, then drops again to the same level, and then rises.
How to Use the Indicator
1. Signals and Labels :
- The indicator will automatically label potential Double Bottom (Buy) signals with DBBUY and potential Double Top (Sell) signals with DTSELL. These labels will appear on the chart where the pattern is detected.
- The signals are calculated based on price action and pivot points, with additional confirmation using a Smoothed Moving Average (SMA). The price's interaction with the SMA is used as an additional support/resistance check.
2. Entry Strategy :
- Double Bottom (DBBUY) : If the indicator labels a potential ** Double Bottom **, you might consider opening a **Buy** position when the price breaks above the middle of the pattern (the neckline).
- ** Double Top (DTSELL) **: If the indicator labels a potential ** Double Top **, you might consider opening a **Sell** position when the price breaks below the middle of the pattern (the neckline).
3. Cooldown:
- To avoid overtrading and too many signals in a short time, a **cooldown period** is implemented. This ensures that after a confirmed signal, the indicator will not trigger another signal for a certain number of bars (set by the user).
4. SMA (Smoothed Moving Average):
- The indicator also displays a 200-period **SMA**, which acts as a reference for price trends. A bounce off the SMA could indicate support (for buy signals) or resistance (for sell signals).
5. Alerts
- Alerts are set up to notify the user when potential Double Bottom (Buy) or Double Top(Sell) patterns are detected. These alerts can be configured to trigger once per bar.
---
Risk and Rewards
Rewards:
- Trend Reversal Potential : Double Top and Double Bottom patterns are significant as they indicate potential reversals after a strong price movement. If the market is correctly identified, these patterns offer the possibility of entering a trend at a critical turning point.
- **Versatile Use**: The indicator can be used across multiple timeframes, allowing for short-term and long-term trading strategies.
- **SMA Confirmation**: The interaction with the **200 SMA** helps confirm the validity of support and resistance zones, improving the accuracy of the trade signals.
**Risks**:
- **False Signals**: Like any technical indicator, this tool is not foolproof. Price action can sometimes form patterns that appear to be Double Tops/Bottoms but do not lead to reversals. Therefore, it's essential to consider other factors and not rely solely on the pattern.
- **Market Conditions**: The indicator works best in markets with clear trends and when the price respects key levels (like support and resistance). In volatile or range-bound markets, the pattern signals may produce less reliable results.
- **Delay in Confirmation**: The confirmation of the pattern can sometimes occur too late, meaning the ideal entry point could have already passed. This is typical with any pattern-based strategy, as price confirmation is required before taking action.
**Managing Risk**:
- **Stop-Loss and Take-Profit**: Always use appropriate risk management techniques such as stop-loss and take-profit orders to protect against unexpected price movements. A good practice is to set the stop-loss just outside the pattern's key levels (above resistance for sell signals, below support for buy signals).
- **Avoid Overtrading**: The cooldown period feature helps reduce the risk of taking multiple trades in quick succession, which can be detrimental to your account.
---
### **Conditions for Using the Indicator**
1. **Market Conditions**: The Double Top and Double Bottom patterns are most effective in trending markets. In sideways or choppy markets, the patterns may lead to false signals, so it's essential to avoid using the indicator in such conditions.
2. **Pattern Confirmation**: The indicator relies on pivot points to detect the patterns. For greater accuracy, ensure that other technical analysis tools (such as volume analysis, RSI, MACD, or other trend-following indicators) are used to confirm the signals.
3. **Time Horizon**: The indicator allows you to adjust the look-back period (Time Horizon) to find both short-term and long-term patterns. Larger values are suitable for longer-term trend reversal patterns, while smaller values are better for more immediate reversal signals.
4. **SMA Support/Resistance**: The 200-period **SMA** acts as a filter for identifying strong support and resistance zones. If the price is above the SMA, bullish signals (Double Bottom) are prioritized, and if the price is below the SMA, bearish signals (Double Top) are favored.
5. KILLZONE SESSIONS AND FVG,BB,OB :
- I included the session killzones and fvg,odb,bb to aid you during your drading session
Conclusion
The **Double Top/Bottom ** indicator is a useful tool for identifying potential trend reversal patterns. It works by detecting key price pivots and labeling them with **"DBBUY"** or **"DTSELL"** to highlight entry points. However, as with all indicators, it should be used in conjunction with proper risk management and other forms of analysis to ensure the best chances of success.
Always be aware of the risks, such as false signals and the potential for overtrading. Properly manage your trades, set stop-loss and take-profit levels, and consider using additional confirmation tools for higher accuracy.
Happy trading!
PS
HELP ME REFINE IT IF YOU CAN
Christmas RSI with Jingle Bell [TrendX_]Jingle Bell 🔔, Jingle Bell 🔔, Jingle all the chart 📈 Merry Christmas Tradingview Community !!!
Introducing the Jingle Bell Indicator, a festive Pine Script creation designed to spread joy and luck to your trading endeavors. The Bow will change colors based on the reaction of RSI with the 50 level. Add a Jingle Bell drawing to your charts and celebrate the most wonderful time of the year. Turn on alert for today to get my Merry Christmas wish.
This indicator is my gift to the Tradingview community, designed to bring a touch of luck to your trades. Hope this Jingle Bell will bring some joy and festive vibes to your trading experience.
onder-mam//@version=5
indicator("Basitleştirilmiş Multi-Indicator System (Sadeleştirilmiş Görünürlük)", overlay=true)
// --- Kullanıcı Ayarları ---
macdShortLength = input.int(12, title="MACD Kısa Periyot", minval=1)
macdLongLength = input.int(26, title="MACD Uzun Periyot", minval=1)
macdSignalSmoothing = input.int(9, title="MACD Signal Periyodu", minval=1)
smaLength = input.int(50, title="SMA Periyodu", minval=1)
emaLength = input.int(200, title="EMA Periyodu", minval=1)
atrLength = input.int(14, title="ATR Periyodu", minval=1)
factor = input.float(3.0, title="Supertrend Çarpanı", minval=1.0, step=0.1)
bbLength = input.int(20, title="Bollinger Bands Periyot", minval=1)
bbMultiplier = input.float(2.0, title="Bollinger Band Çarpanı", minval=0.1, step=0.1)
src = close
// --- MACD Hesaplamaları ---
= ta.macd(src, macdShortLength, macdLongLength, macdSignalSmoothing)
macdBuySignal = ta.crossover(macdLine, signalLine)
macdSellSignal = ta.crossunder(macdLine, signalLine)
// --- SMA ve EMA Hesaplamaları ---
smaLine = ta.sma(src, smaLength)
emaLine = ta.ema(src, emaLength)
maBuySignal = ta.crossover(smaLine, emaLine)
maSellSignal = ta.crossunder(smaLine, emaLine)
// --- Supertrend Hesaplamaları ---
atrValue = ta.atr(atrLength)
upperBand = hl2 - factor * atrValue
lowerBand = hl2 + factor * atrValue
var float supertrend = na
if (na(supertrend ))
supertrend := upperBand
else
if (close > supertrend )
supertrend := math.max(upperBand, supertrend )
else
supertrend := math.min(lowerBand, supertrend )
supertrendBuySignal = ta.crossover(close, supertrend)
supertrendSellSignal = ta.crossunder(close, supertrend)
// --- Bollinger Bands Hesaplamaları ---
basis = ta.sma(src, bbLength)
dev = bbMultiplier * ta.stdev(src, bbLength)
bbUpper = basis + dev
bbLower = basis - dev
bbBuySignal = ta.crossover(src, bbLower)
bbSellSignal = ta.crossunder(src, bbUpper)
// --- Çizimler ---
// MACD Çizgileri - sadece sinyal olduğunda gösterilecek
plot(macdLine, title="MACD Line", color=color.blue, linewidth=2)
plot(signalLine, title="Signal Line", color=color.orange, linewidth=2)
// SMA ve EMA Çizgileri - sadece geçerli sinyallerde gösterilecek
plot(smaLine, title="SMA Line", color=color.green, linewidth=2)
plot(emaLine, title="EMA Line", color=color.red, linewidth=2)
// Supertrend Çizgisi - sadece sinyal olduğunda gösterilecek
plot(supertrend, title="Supertrend", color=color.blue, linewidth=2)
// Bollinger Bands Çizgileri - sadece sinyal olduğunda gösterilecek
plot(basis, title="Bollinger Bands Orta Band", color=color.blue, linewidth=2)
plot(bbUpper, title="Bollinger Bands Üst Band", color=color.red, linewidth=2)
plot(bbLower, title="Bollinger Bands Alt Band", color=color.green, linewidth=2)
// --- Sinyaller ve Arka Plan Rengi ---
// Alım ve Satım sinyalleri için şekiller - sadece sinyal olduğunda gösterecek
plotshape(series=macdBuySignal, title="MACD Alım Sinyali", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", size=size.small)
plotshape(series=macdSellSignal, title="MACD Satım Sinyali", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", size=size.small)
plotshape(series=maBuySignal, title="SMA/EMA Alım Sinyali", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", size=size.small)
plotshape(series=maSellSignal, title="SMA/EMA Satım Sinyali", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", size=size.small)
plotshape(series=supertrendBuySignal, title="Supertrend Alım Sinyali", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", size=size.small)
plotshape(series=supertrendSellSignal, title="Supertrend Satım Sinyali", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", size=size.small)
plotshape(series=bbBuySignal, title="Bollinger Bands Alım Sinyali", location=location.belowbar, color=color.green, style=shape.triangleup, text="BUY", size=size.small)
plotshape(series=bbSellSignal, title="Bollinger Bands Satım Sinyali", location=location.abovebar, color=color.red, style=shape.triangledown, text="SELL", size=size.small)
// Arka plan renkleri (trend doğrulama için)
bgcolor(macdBuySignal or maBuySignal or supertrendBuySignal or bbBuySignal ? color.new(color.green, 90) : na, title="Alım Trend Arka Planı")
bgcolor(macdSellSignal or maSellSignal or supertrendSellSignal or bbSellSignal ? color.new(color.red, 90) : na, title="Satım Trend Arka Planı")
// Alerjler (Alert Conditions)
alertcondition(macdBuySignal, title="MACD Alım Sinyali", message="MACD çizgisi, Signal çizgisini yukarıya kesiyor. Alım sinyali!")
alertcondition(macdSellSignal, title="MACD Satım Sinyali", message="MACD çizgisi, Signal çizgisini aşağıya kesiyor. Satım sinyali!")
alertcondition(maBuySignal, title="SMA/EMA Alım Sinyali", message="SMA çizgisi, EMA çizgisini yukarıya doğru kesiyor. Alım sinyali!")
alertcondition(maSellSignal, title="SMA/EMA Satım Sinyali", message="SMA çizgisi, EMA çizgisini aşağıya doğru kesiyor. Satım sinyali!")
alertcondition(supertrendBuySignal, title="Supertrend Alım Sinyali", message="Supertrend çizgisi, fiyatı yukarıya doğru kesiyor. Alım sinyali!")
alertcondition(supertrendSellSignal, title="Supertrend Satım Sinyali", message="Supertrend çizgisi, fiyatı aşağıya doğru kesiyor. Satım sinyali!")
alertcondition(bbBuySignal, title="Bollinger Bands Alım Sinyali", message="Fiyat alt Bollinger Band'ını yukarı kesiyor. Alım sinyali!")
alertcondition(bbSellSignal, title="Bollinger Bands Satım Sinyali", message="Fiyat üst Bollinger Band'ını aşağı kesiyor. Satım sinyali!")
MA 20, 50, 200//@version=5
indicator("MA 20, 50, 100", overlay=true)
// Calculate the 20-period, 50-period, and 100-period Simple Moving Averages
ma20 = ta.sma(close, 20)
ma50 = ta.sma(close, 50)
ma100 = ta.sma(close, 200)
// Plot the moving averages on the chart
plot(ma20, color=color.red, linewidth=2, title="MA 20")
plot(ma50, color=color.green, linewidth=2, title="MA 50")
plot(ma100, color=color.blue, linewidth=2, title="MA 200")
All-Time Highs (ATHs) with Accurate Bar CounterThis indicator marks ATHs and calculate the bars from previous ATH
Compare TOTAL, TOTAL2, TOTAL3, and OTHERSCompare TOTAL, TOTAL2, TOTAL3, and OTHERS
This indicator compares the performance of major cryptocurrency market cap indices: TOTAL, TOTAL2, TOTAL3, and OTHERS. It normalizes each index's performance relative to its starting value and visualizes their relative changes over time.
Features
- Normalized Performance: Tracks the percentage change of each index from its initial value.
- Customizable Timeframe: Allows users to select a base timeframe for the data (e.g., daily, weekly).
- Dynamic Labels: Displays the latest performance of each index as a label on the chart, aligned to the right of the corresponding line for easy comparison.
- Color-Coded Lines: Each index is assigned a distinct color for clear differentiation:
-- TOTAL (Blue): Represents the total cryptocurrency market cap.
-- TOTAL2 (Green): Excludes Bitcoin.
-- TOTAL3 (Orange): Excludes Bitcoin and Ethereum.
-- OTHERS (Red): Represents all cryptocurrencies excluding the top 10 by market cap.
- Baseline Reference: Includes a horizontal line at 0% for reference.
Use Cases:
- Market Trends: Identify which segments of the cryptocurrency market are outperforming or underperforming over time.
- Portfolio Insights: Assess the impact of Bitcoin and Ethereum dominance on the broader market.
- Market Analysis: Compare smaller-cap coins (OTHERS) with broader indices (TOTAL, TOTAL2, and TOTAL3).
This script is ideal for traders and analysts who want a quick, visual way to track how different segments of the cryptocurrency market perform relative to each other over time.
Note: The performance is normalized to highlight percentage changes, not absolute values.
FxSessions Mauricio LopezDiferencia el inicio de cada sesión del mercado de divisas, desde la apertura de Tokio, apertura de Londres y la apertura de Nueva York.
McClellan A-D Volume Integration ModelThe strategy integrates the McClellan A-D Oscillator with an adjustment based on the Advance/Decline (A-D) volume data. The McClellan Oscillator is calculated by taking the difference between the short-term and long-term exponential moving averages (EMAs) of the A-D line. This strategy introduces an enhancement where the A-D volume (the difference between the advancing and declining volume) is factored in to adjust the oscillator value.
Inputs:
• ema_short_length: The length for the short-term EMA of the A-D line.
• ema_long_length: The length for the long-term EMA of the A-D line.
• osc_threshold_long: The threshold below which the oscillator must drop for an entry signal to trigger.
• exit_periods: The number of periods after which the position is closed.
• Data Sources:
• ad_advance and ad_decline are the data sources for advancing and declining issues, respectively.
• vol_advance and vol_decline are the volume data for the advancing and declining issues. If volume data is unavailable, it defaults to na (Not Available), and the fallback logic ensures that the strategy continues to function.
McClellan Oscillator with Volume Adjustment:
• The A-D line is calculated by subtracting the declining issues from the advancing issues. Then, the volume difference is applied to this line, creating a “weighted” A-D line.
• The short and long EMAs are calculated for the weighted A-D line to generate the McClellan Oscillator.
Entry Condition:
• The strategy looks for a reversal signal, where the oscillator falls below the threshold and then rises above it again. The condition is designed to trigger a long position when this reversal happens.
Exit Condition:
• The position is closed after a set number of periods (exit_periods) have passed since the entry.
Plotting:
• The McClellan Oscillator and the threshold are plotted on the chart for visual reference.
• Entry and exit signals are highlighted with background colors to make the signals more visible.
Scientific Background:
The McClellan A-D Oscillator is a popular market breadth indicator developed by Sherman and Marian McClellan. It is used to gauge the underlying strength of a market by analyzing the difference between the number of advancing and declining stocks. The oscillator is typically calculated using exponential moving averages (EMAs) of the A-D line, with the idea being that crossovers of these EMAs indicate potential changes in the market’s direction.
The integration of A-D volume into this model adds another layer of analysis, as volume is often considered a leading indicator of price movement. By factoring in volume, the strategy becomes more sensitive to not just the number of advancing or declining stocks but also how significant those movements are based on trading volume, as discussed in Schwager, J. D. (1999). Technical Analysis of the Financial Markets. This enhanced version aims to capture stronger and more sustainable trends in the market, helping to filter out false signals.
Additionally, volume analysis is often used to confirm price movements, as described in Wyckoff, R. (1931). The Day Trading System. Therefore, incorporating the volume of advancing and declining stocks in the McClellan Oscillator offers a more robust signal for trading decisions.
21 & 8 SMA Crossover Long StrategyBuy when 8 sma crosses above 21 sma and sell when it crosses below 21sma
Smart Trend, Crypto - WORK IN PROGRESSDescription of the Script
This Pine Script is a trend-following trading indicator designed to help traders identify buy and sell opportunities while managing risk through take-profit (TP) and stop-loss (SL) levels. Here’s what the script does in detail:
Core Features:
1. Trend Detection Using EMA Crossover:
• Fast EMA and Slow EMA are calculated using adjustable lengths.
• A Buy Signal is triggered when the Fast EMA crosses above the Slow EMA (bullish trend).
• A Sell Signal is triggered when the Fast EMA crosses below the Slow EMA (bearish trend).
2. Support for Multi-Condition Signals:
• The script combines EMA crossovers, RSI levels, and ADX strength to determine signals:
• Relative Strength Index (RSI): Detects overbought or oversold conditions.
• Average Directional Index (ADX): Ensures trends have sufficient strength.
• Signals only trigger if all selected conditions are met.
Risk Management Features:
3. Stop-Loss Levels:
• Stop-loss levels are calculated based on a percentage distance from the last Buy or Sell Signal.
• For a Buy Signal, the stop-loss is set below the buy price.
• For a Sell Signal, the stop-loss is set above the sell price.
• These levels are plotted as horizontal lines on the chart.
4. Take-Profit Levels:
• Take-profit levels are calculated as a percentage distance from the last Buy or Sell Signal:
• For a Buy Signal, the TP level is above the buy price.
• For a Sell Signal, the TP level is below the sell price.
• Take-Profit Bubbles:
• Small bubbles appear on the chart at TP levels only for the current Buy or Sell Signal.
• This helps focus on the latest trade without cluttering the chart.
Visual Aids:
5. Background Highlighting for Trend Identification:
• The chart background changes color to reflect the detected trend:
• Green for a bullish trend (Buy Signal).
• Red for a bearish trend (Sell Signal).
6. Clear Signal Markers:
• Buy Signal: A green triangle below the price bar.
• Sell Signal: A red triangle above the price bar.
• These markers help visually identify signal points on the chart.
Customizability:
• Adjustable Parameters: The script allows the user to customize:
• EMA lengths, ADX threshold, RSI levels, TP percentage, and SL percentage.
• Preset Configurations: Quick settings for popular assets like BTC, ETH, and others.
Usage:
1. Buy and Sell Signals:
• Use the signals to enter long (Buy) or short (Sell) trades.
2. Risk Management:
• Follow the Stop Loss and Take Profit levels to manage risk and lock in profits.
3. Trend Confirmation:
• Observe background colors and EMA lines to confirm trend direction.
This script provides a comprehensive tool for identifying trades, managing risk, and visually simplifying trend-following strategies. Let me know if you need further clarifications!
Ultra Trade JournalThe Ultra Trade Journal is a powerful TradingView indicator designed to help traders meticulously document and analyze their trades. Whether you're a novice or an experienced trader, this tool offers a clear and organized way to visualize your trading strategy, monitor performance, and make informed decisions based on detailed trade metrics.
Detailed Description
The Ultra Trade Journal indicator allows users to input and visualize critical trade information directly on their TradingView charts.
.........
User Inputs
Traders can specify entry and exit prices , stop loss levels, and up to four take profit targets.
.....
Dynamic Plotting
Once the input values are set, the indicator automatically plots horizontal lines for entry, exit, stop loss, and each take profit level on the chart. These lines are visually distinct, using different colors and styles (solid, dashed, dotted) to represent each element clearly.
.....
Live Position Tracking
If enabled, the indicator can adjust the exit price in real-time based on the current market price, allowing traders to monitor live positions effectively.
.....
Tick Calculations
The script calculates the number of ticks between the entry price and each exit point (stop loss and take profits). This helps in understanding the movement required for each target and assessing the potential risk and reward.
.....
Risk-Reward Ratios
For each take profit level, the indicator computes the risk-reward (RR) ratio by comparing the ticks at each target against the stop loss ticks. This provides a quick view of the potential profitability versus the risk taken.
.....
Comprehensive Table Display
A customizable table is displayed on the chart, summarizing all key trade details. This includes the entry and exit prices, stop loss and take profit levels, tick counts, and their respective RR ratios.
Users can adjust the table's Position and text color to suit their preferences.
.....
Visual Enhancements
The indicator uses adjustable background shading between entry and stop loss/take profit lines to visually represent potential trade outcomes. This shading adjusts based on whether the trade is long or short, providing an intuitive understanding of trade performance.
.........
Overall, the Ultra Trade Journal combines visual clarity with detailed analytics, enabling traders to keep a well-organized record of their trades and enhance their trading strategies through insightful data.
DK: SMA Crossover BY//@version=5
indicator("SMA Crossover", overlay=true)
// Input parameters for short-term and long-term SMAs
shortLength = input.int(9, title="Short SMA Length", minval=1)
longLength = input.int(21, title="Long SMA Length", minval=1)
// Calculate the short-term and long-term SMAs
shortSMA = ta.sma(close, shortLength)
longSMA = ta.sma(close, longLength)
// Plot the SMAs on the chart
plot(shortSMA, color=color.blue, linewidth=2, title="Short SMA")
plot(longSMA, color=color.red, linewidth=2, title="Long SMA")
// Generate Buy and Sell signals
bullishCross = ta.crossover(shortSMA, longSMA)
bearishCross = ta.crossunder(shortSMA, longSMA)
// Plot Buy and Sell signals on the chart
plotshape(bullishCross, color=color.green, style=shape.labelup, location=location.belowbar, title="Buy Signal", text="BUY")
plotshape(bearishCross, color=color.red, style=shape.labeldown, location=location.abovebar, title="Sell Signal", text="SELL")
Weekly and daily separators - MKThis indicator is designed to provide easier usability and greater customization for traders. The update brings enhanced stability and reliability in detecting day, week, and month changes across various timeframes, ensuring consistent and accurate visuals on your charts.
Key Features:
Time Zone Customization: Select the time zone to determine when session changes are marked.
Adjustable Line Coverage: Lines can now be customized to only partially cover the top and bottom of the chart, offering a cleaner look.
Optional Labels: Enable labels to display the starting month, calendar week, or day. Day formats include:
Weekday name
Date in formats: dd.MM or MM.dd
Visual Enhancements:
Default line widths and colors now use an orange hue for better visibility.
Added a monthly separator line for better long-term trend tracking.
Higher time frame color options for clarity.
Independent customization of line styles and widths.
Additional Improvements:
Ability to hide daily lines on daily charts and higher timeframes. Similarly, weekly lines can be hidden on weekly charts and higher.
Secondary line width for weekly separators on daily and higher timeframes, ensuring cleaner chart aesthetics.
Updated color selection and default values for better readability.
Brijesh TTrades candle plot"Brijesh TTrades candle plot" is a powerful and customizable indicator that allows you to overlay higher timeframe candles directly on your chart. Choose your desired timeframe (e.g., Daily, Hourly) and plot up to 10 recent candles with precise control over color, wick style, and width. The candles are offset by 40 bars to the right, providing a clear and unobstructed view of the current price action. Ideal for multi-timeframe analysis and gaining deeper insights into market trends.
6 Bollinger BandsYou can display 6 BB. It’s simple, so feel free to adjust it as you like. Your support would be a great motivator for creating new indicators.
6本のBBを表示できます。
シンプルですので、ご自由に調整してください。
応援頂けると新たなインジケーター作成の糧になります。
Pine ChristmasThe "Pine Christmas" indicator is a festive decoration for your chart. It features a stylized Christmas tree, symbolizing the Pine Script logo, dressed up for the New Year. A star shines atop the tree, snowflakes float around, and gifts and snowmen sit beneath it, creating a magical winter vibe. This indicator brings a touch of holiday cheer and joy to your charting experience!