MACD by MauricioEste script é uma versão atualizada do tradicional indicador MACD multi-timeframe (MTF). Ele permite utilizar o MACD (e suas variantes de cor) em diferentes resoluções de tempo, graças ao request.security. O usuário pode optar por:
Exibir/ocultar as linhas do MACD e do Sinal,
Exibir/ocultar o Histograma do MACD,
Exibir pontinhos (círculos) sempre que ocorre o cruzamento entre a linha MACD e a linha de Sinal.
As cores podem ser configuradas de forma a indicar quando a linha MACD está acima ou abaixo da linha de Sinal, bem como um Histograma de quatro cores para destacar mudanças de momentum.
Destaques
Multi-timeframe: Ajuste para ver a leitura do MACD de outro período diretamente no gráfico atual.
Coloração Avançada: Suporte a um histograma com quatro cores, para maior percepção de fortalecimento ou enfraquecimento do momentum.
Cruzamentos: Sinalizado por círculos quando o MACD cruza a linha de Sinal (e coloração opcional das linhas com base nesse cruzamento).
Compatível com PineScript v6: Usa indicator(...), ta.ema(...), request.security(...) e outras funções atuais para máxima consistência e compatibilidade.
Göstergeler ve stratejiler
Tabajara by Maurício**Título**
Tabajara + MACD + Bollinger Bands (Coloridas) — Estratégia de Backtesting
**Descrição Resumida**
Este script une três conceitos principais em um único estudo/estratégia para análise e backtesting no TradingView:
1. **Tabajara**:
- As barras são coloridas conforme a lógica do Tabajara, que avalia a tendência por meio da EMA de 21 e EMA de 9 (comparando-as também com o candle anterior).
- As cores indicam pontos de possível reversão ou continuação de tendência.
2. **MACD com Resolução Personalizável**:
- Inclui a possibilidade de utilizar outra periodicidade (timeframe) para o MACD, graças ao `request.security()`.
- Identifica cruzamentos de alta/baixa como possíveis sinais de entrada ou saída.
3. **Bollinger Bands Coloridas**:
- As bandas são calculadas com período (BB Length) e multiplicador (Desvio) ajustáveis.
- Possui uma coloração dinâmica das bandas (preto/vermelho/amarelo) conforme o nível de “contraction”, para destacar possíveis apertamentos ou alargamentos das faixas.
- A transparência das bandas é configurável, evitando que sobreponham o candle.
**Estratégia de Negociação**
- **Compra (Long)**: Dispara quando ocorre um cruzamento de alta do MACD (linha MACD acima da linha de sinal) e o preço está próximo da banda inferior de Bollinger (definido por um fator de proximidade).
- **Venda (Short)**: Dispara quando o MACD cruza para baixo e o preço está próximo da banda superior.
Ao acionar um novo sinal, a estratégia fecha a posição anterior (se houver) e abre a nova. Dessa forma, você pode avaliar (via Strategy Tester) o desempenho histórico da lógica combinada, ajustando parâmetros como período das EMAs, MACD, Bollinger, além do nível de transparência das bandas, conforme seu estilo de trading.
EMA Crossover Strategy (Enhanced Debug)its a very simple strategy using
a short ema of 10
a medium ema of 50
and a long ema of 200
it only makes buy trades if the price is above the long ema
and only makes short trades if the price is below the long ema
then it enters buy trades if the short ema crosses obove the medium ema
and only enters short trades if the short ema crosses below the medium ema
it also closes its buy positions if the short ema crosses below the medium ema
and closes its sell positions in the apposite situation
My strategy
//@version=5
strategy("Dynamic RSI Momentum", "DRM Strategy", process_orders_on_close = true, default_qty_type = strategy.percent_of_equity, default_qty_value = 50 )
// +++++++++++++++++++++
// ++ INPUT ++
// +++++++++++++++++++++
// Momentum
len = input.int(10, "Momentum Length", 1, group = "Dynamic RSI Momentum")
src = input.source(close, "Source", group = "Dynamic RSI Momentum")
min_rsi = input.int(20, "Min RSI", group = "Dynamic RSI Momentum")
max_rsi = input.int(50, "Max RSI", group = "Dynamic RSI Momentum")
upLvl = input.float(70, "OverBought", 0, 100, group = "Dynamic RSI Momentum")
dnLvl = input.float(30, "OverSold", 0, 100, group = "Dynamic RSI Momentum")
// +++++++++++++++++++++
// ++ CALCULATION ++
// +++++++++++++++++++++
// RMA Function
rmaFun(src, len) =>
sma = ta.sma(src, len)
alpha = 1/len
sum = 0.0
sum := na(sum ) ? sma : alpha * src + (1 - alpha) * nz(sum )
// RSI Function
rsiFun(src, len) =>
100 - 100 / (1 + rmaFun(src - src > 0 ? src - src : 0, len) /
rmaFun(src - src > 0 ? src - src : 0, len))
// Momentum
momVal = src - src
// Calculation Price vs Momentum
corr = ta.correlation(src, momVal, len)
corr := corr > 1 or corr < -1 ? float(na) : corr
rsiLen = 0
rsiLen := int(min_rsi + nz(math.round((1 - corr) * (max_rsi-min_rsi) / 2, 0), 0))
rsiMom = rsiFun(src, rsiLen)
// +++++++++++++++++++++
// ++ STRATEGY ++
// +++++++++++++++++++++
long = ta.crossover(rsiMom, dnLvl)
short = ta.crossunder(rsiMom, upLvl)
// +++> Long <+++++
if long and not na(rsiMom)
strategy.entry("Long", strategy.long)
// +++> Short <+++++
if short and not na(rsiMom)
strategy.entry("Short", strategy.short)
// +++++++++++++++++++++
// ++ PLOT ++
// +++++++++++++++++++++
plot(rsiMom, "Dynamic RSI Momentum", rsiMom < dnLvl ? color.green : rsiMom > upLvl ? color.red : color.yellow)
hline(50, "Mid Line", color.gray)
upperLine = hline(upLvl, "Upper Line", color.gray)
lowerLine = hline(dnLvl, "Lower Line", color.gray)
fill(upperLine, lowerLine, color.new(color.purple, 90), "Background Fill")
My strategy
//@version=5
strategy("Dynamic RSI Momentum", "DRM Strategy", process_orders_on_close = true, default_qty_type = strategy.percent_of_equity, default_qty_value = 50 )
// +++++++++++++++++++++
// ++ INPUT ++
// +++++++++++++++++++++
// Momentum
len = input.int(10, "Momentum Length", 1, group = "Dynamic RSI Momentum")
src = input.source(close, "Source", group = "Dynamic RSI Momentum")
min_rsi = input.int(20, "Min RSI", group = "Dynamic RSI Momentum")
max_rsi = input.int(50, "Max RSI", group = "Dynamic RSI Momentum")
upLvl = input.float(70, "OverBought", 0, 100, group = "Dynamic RSI Momentum")
dnLvl = input.float(30, "OverSold", 0, 100, group = "Dynamic RSI Momentum")
// +++++++++++++++++++++
// ++ CALCULATION ++
// +++++++++++++++++++++
// RMA Function
rmaFun(src, len) =>
sma = ta.sma(src, len)
alpha = 1/len
sum = 0.0
sum := na(sum ) ? sma : alpha * src + (1 - alpha) * nz(sum )
// RSI Function
rsiFun(src, len) =>
100 - 100 / (1 + rmaFun(src - src > 0 ? src - src : 0, len) /
rmaFun(src - src > 0 ? src - src : 0, len))
// Momentum
momVal = src - src
// Calculation Price vs Momentum
corr = ta.correlation(src, momVal, len)
corr := corr > 1 or corr < -1 ? float(na) : corr
rsiLen = 0
rsiLen := int(min_rsi + nz(math.round((1 - corr) * (max_rsi-min_rsi) / 2, 0), 0))
rsiMom = rsiFun(src, rsiLen)
// +++++++++++++++++++++
// ++ STRATEGY ++
// +++++++++++++++++++++
long = ta.crossover(rsiMom, dnLvl)
short = ta.crossunder(rsiMom, upLvl)
// +++> Long <+++++
if long and not na(rsiMom)
strategy.entry("Long", strategy.long)
// +++> Short <+++++
if short and not na(rsiMom)
strategy.entry("Short", strategy.short)
// +++++++++++++++++++++
// ++ PLOT ++
// +++++++++++++++++++++
plot(rsiMom, "Dynamic RSI Momentum", rsiMom < dnLvl ? color.green : rsiMom > upLvl ? color.red : color.yellow)
hline(50, "Mid Line", color.gray)
upperLine = hline(upLvl, "Upper Line", color.gray)
lowerLine = hline(dnLvl, "Lower Line", color.gray)
fill(upperLine, lowerLine, color.new(color.purple, 90), "Background Fill")
HTF CandlesHTF Candles, Plot of a Higher/Lower Timeframe Candles on any chart.
This HTF / LTF candle plot displays the previous 3 daily candles with the current update of the price with reference to a lower time frame.
Candles includes 3 Candles of HTF
last HTF candle includes 4 previous candles from LTF
Candle High Low Open Close are plotted.
these OHLC values act as Support and Resistance With reference to current Price.
very useful in making HTF and LTF analysis with reference to current timeframe.
Buy The Deep Final Version V3Buy The Deep Final Version V3
This script implements a buy-the-dip strategy based on market volatility, featuring multi-level additional buy logic and performance visualization tools for traders.
Key Features Dynamic Position Sizing:
Dynamically calculates position size based on the trader's initial capital, current profit, and leverage settings. Offers options to reinvest profits or maintain fixed position sizes.
Volatility-Based Entry:
Identifies buy opportunities based on a calculated volatility percentage (val).
Automated Take Profit and Stop Loss:
Automatically sets take profit (tp) and stop-loss (tp22) levels using predefined percentages to ensure effective risk management.
SMA-Based Conditions:
Uses a Simple Moving Average (SMA) to determine whether to enter long positions.
Support for Additional Buy Levels:
Supports dollar-cost averaging (DCA) with additional buy levels (so1, so2, etc.).
Leverage and Commission Customization:
Allows users to set desired leverage and trading fees, which are incorporated into calculations for precise execution.
Performance Tracking:
Displays the following key metrics: Total profit and percentage Monthly and annual profit percentages Maximum drawdown (MDD) Win rate Includes a performance table and data window for real-time insights.
Time-Limited Testing:
Enables users to test the strategy over specific time periods for refinement and validation.
How It Works: Entry Conditions: Identifies opportunities when the price crosses above the SMA or meets specific volatility thresholds. Position Sizing: Dynamically calculates optimal position sizes using leverage and capital allocation. Exit Points: Automated take profit and stop-loss orders minimize manual intervention.
Input Descriptions
This strategy offers customizable input parameters to accommodate various trading needs. Each input is described below:
Initial Settings Profit Reinvest (reinvest):
Options: True or False Determines whether to reinvest profits to increase the size of subsequent trades.
Long Buy % (longper):
Default: 6 Sets the percentage of initial capital allocated for the first long position.
Leverage (lev):
Default: 3 Sets the leverage multiplier for trades. For example, 3 means 3x leverage is used.
Fee % (commission_value):
Default: 0.044 Input the trading fee as a percentage, which is factored into profit calculations.
Decimal Places (num):
Default: 2 Determines the number of decimal places considered in calculations.
Table Font Size (texts):
Default: Normal Sets the font size for the performance table. Options include Tiny, Small, Normal, and Large.
Volatility and Additional Buy Settings Volatility % (val):
Default: -1.5 Specifies the volatility percentage used to determine entry points.
Additional Buy % (so):
Default: -3 Defines the percentage drop at which additional buy orders are executed.
Take Profit % (tp):
Default: 0.5 Specifies the percentage increase at which take profit orders are executed.
Candle Count (sl):
Default: 1 Sets the number of candles to hold a position before closing it.
Take Profit Stop-Loss % (tp22):
Default: 0.1 Defines the stop-loss threshold as a percentage below the average entry price.
SMA Length (len):
Default: 48 Determines the period for calculating the Simple Moving Average (SMA).
Position Multipliers Position Multiplier Longline 4 (long2_qty):
Default: 1 Sets the size of the first additional buy position.
Position Multiplier Longline 5 (long3_qty):
Default: 2 Sets the size of the second additional buy position.
Position Multiplier Longline 4 (long4_qty):
Default: 4 Sets the size of the third additional buy position.
Position Multiplier Longline 5 (long5_qty):
Default: 8 Sets the size of the fourth additional buy position.
Cruzamento de Médias Móveis (Configuração Interativa)Cruzamento das médias 7 com 40
compra quando a média de 7 cruza pra cima da de 40
vende quando a media de 7 cruza pra baixo da de 40
Volume Scalping SignalGiải thích:
SMA Price: Được sử dụng để xác định xu hướng của giá. Khi giá đóng cửa nằm trên SMA, có thể xác nhận một xu hướng tăng.
SMA Volume: Được sử dụng để tính toán khối lượng giao dịch trung bình trong một khoảng thời gian nhất định.
Volume Spike: Khi khối lượng giao dịch vượt quá một ngưỡng nhất định (ví dụ: gấp 2 lần khối lượng trung bình), cho thấy sự tăng cường hoạt động giao dịch, có thể dẫn đến một động thái giá lớn.
Tín hiệu Mua: Khi khối lượng giao dịch tăng đột biến và giá đóng cửa nằm trên SMA của giá.
Tín hiệu Bán: Khi khối lượng giao dịch tăng đột biến và giá đóng cửa nằm dưới SMA của giá.
Tinh chỉnh và tối ưu:
Bạn có thể thay đổi các tham số như SMA Length cho cả giá và khối lượng, cùng với Volume Multiplier, để phù hợp với phong cách giao dịch của mình.
Phân tích biểu đồ và thử nghiệm với các giá trị khác nhau để tối ưu hóa chiến lược scalping này cho các điều kiện thị trường cụ thể.
Chỉ báo này sẽ giúp bạn phát hiện các Volume Spikes có thể dẫn đến các biến động giá lớn, rất hữu ích trong chiến lược scalping trên khung thời gian 1 phút.
Volume Scalping Signal aaaGiải thích:
SMA Price: Được sử dụng để xác định xu hướng của giá. Khi giá đóng cửa nằm trên SMA, có thể xác nhận một xu hướng tăng.
SMA Volume: Được sử dụng để tính toán khối lượng giao dịch trung bình trong một khoảng thời gian nhất định.
Volume Spike: Khi khối lượng giao dịch vượt quá một ngưỡng nhất định (ví dụ: gấp 2 lần khối lượng trung bình), cho thấy sự tăng cường hoạt động giao dịch, có thể dẫn đến một động thái giá lớn.
Tín hiệu Mua: Khi khối lượng giao dịch tăng đột biến và giá đóng cửa nằm trên SMA của giá.
Tín hiệu Bán: Khi khối lượng giao dịch tăng đột biến và giá đóng cửa nằm dưới SMA của giá.
Tinh chỉnh và tối ưu:
Bạn có thể thay đổi các tham số như SMA Length cho cả giá và khối lượng, cùng với Volume Multiplier, để phù hợp với phong cách giao dịch của mình.
Phân tích biểu đồ và thử nghiệm với các giá trị khác nhau để tối ưu hóa chiến lược scalping này cho các điều kiện thị trường cụ thể.
Chỉ báo này sẽ giúp bạn phát hiện các Volume Spikes có thể dẫn đến các biến động giá lớn, rất hữu ích trong chiến lược scalping trên khung thời gian 1 phút.
Wyckoff Method with Volume, RSI, EMA & FibonacciWyckoff Method with Volume, RSI, EMA & Fibonacci
Description: This indicator is based on the Wyckoff Method, a technical analysis approach designed to identify phases of accumulation and distribution in the market. It combines volume analysis, RSI (Relative Strength Index), EMA (Exponential Moving Averages), and Fibonacci retracement levels to generate buy/sell signals and dynamically calculate take-profit (TP) and stop-loss (SL) levels.
Purpose: The indicator aims to:
1. Detect key phases in the Wyckoff Method, including:
o Preliminary Support (PS) - Initial signs of buying interest.
o Selling Climax (SC) - Panic selling absorbed by institutional investors.
o Automatic Rally (AR) - Rebound following the selling climax.
o Secondary Test (ST) - Testing supply absorption.
o Sign of Strength (SOS) - Confirmation of bullish momentum.
o Last Point of Support (LPS) - Final retest of support before trend continuation.
2. Provide entry signals (buy/sell) based on:
o EMA crossovers to determine bullish or bearish trends.
o RSI levels to detect overbought and oversold conditions.
o Fibonacci retracement levels (50% and 61.8%) to highlight potential reversal zones.
3. Offer risk management tools:
o Automatically calculate stop-loss (SL) based on a percentage risk input.
o Compute take-profit (TP) using a specified risk-reward ratio.
Features:
1. Volume Analysis:
o Uses a Volume Moving Average (VolMA) to identify spikes in trading activity, signaling market interest.
2. Dynamic Fibonacci Levels:
o Plots 50% and 61.8% retracement levels to assist in identifying areas of price reaction.
3. EMA Crossovers:
o Tracks trend direction using 50 EMA and 200 EMA for confirmation of bullish or bearish setups.
4. RSI Confluence:
o Identifies overbought (>70) and oversold (<30) zones for added signal confirmation.
5. Wyckoff Phase Markers:
o Marks critical points in the accumulation/distribution phases for visualization.
6. Dynamic SL and TP Levels:
o Visualizes risk-management levels directly on the chart for ease of interpretation.
How to Use the Indicator:
1. Buy Signals:
o Appear when the EMA crossover is bullish, RSI is oversold, and price is above the 61.8% Fibonacci retracement.
2. Sell Signals:
o Appear when the EMA crossover is bearish, RSI is overbought, and price is below the 50% Fibonacci retracement.
3. Risk Management:
o Adjust the Risk-Reward Ratio and Stop-Loss % in settings to suit your trading strategy.
o Review plotted SL/TP lines for placement before execution.
4. Confirm Phases:
o Monitor Wyckoff markers (PS, SC, AR, ST, SOS, LPS) to align signals with phases.
Limitations:
• The indicator should be used in conjunction with multi-timeframe analysis and fundamental research for greater accuracy.
• Signals may lag in extremely volatile markets; manual validation of patterns is recommended.
Best Practices:
1. Apply the indicator to higher timeframes for trends and lower timeframes for entries.
2. Use additional tools such as support/resistance levels, trendlines, and candlestick patterns for confirmation.
3. Adjust indicator inputs based on market conditions and asset volatility.
This indicator is a powerful tool for traders looking to identify Wyckoff patterns, incorporate technical confluence, and manage risk effectively.
MACD + 200 EMA Strategy(Raju Basnet)this strategy uses MACD and 200 EMA
Strategy Logic:
Buy Signal: The strategy will generate a buy signal when the MACD line crosses above the signal line and the price is above the 200 EMA. This indicates upward momentum in an overall bullish market trend.
Sell Signal: A sell signal will be generated when the MACD line crosses below the signal line and the price is below the 200 EMA. This suggests downward momentum in a bearish market trend.
Visual Indicators:
200 EMA Line: Plotted in blue, it represents the long-term trend and helps filter signals by showing whether the market is in a bullish or bearish state.
Buy and Sell Signals: Plotted as green labels below the bar for buy signals and red labels above the bar for sell signals. Arrows may also appear to clearly mark the signal points.
Relative Performance Indicator by ComLucro - 2025_V01The "Relative Performance Indicator by ComLucro - 2025_V01" is a powerful tool designed to analyze an asset's performance relative to a benchmark index over multiple timeframes. This indicator provides traders with a clear view of how their chosen asset compares to a market index in short, medium, and long-term periods.
Key Features:
Customizable Lookback Periods: Analyze performance across three adjustable periods (default: 20, 50, and 200 bars).
Relative Performance Analysis: Calculate and visualize the difference in percentage performance between the asset and the benchmark index.
Dynamic Summary Label: Displays a detailed breakdown of the asset's and index's performance for the latest bar.
User-Friendly Interface: Includes customizable colors and display options for clear visualization.
How It Works:
The script fetches closing prices of both the asset and a benchmark index.
It calculates percentage changes over the selected lookback periods.
The indicator then computes the relative performance difference between the asset and the index, plotting it on the chart for easy trend analysis.
Who Is This For?:
Traders and investors who want to compare an asset’s performance against a benchmark index.
Those looking to identify trends and deviations between an asset and the broader market.
Disclaimer:
This tool is for educational purposes only and does not constitute financial or trading advice. Always use it alongside proper risk management strategies and backtest thoroughly before applying it to live trading.
Chart Recommendation:
Use this script on clean charts for better clarity. Combine it with other technical indicators like moving averages or trendlines to enhance your analysis. Ensure you adjust the lookback periods to match your trading style and the timeframe of your analysis.
Additional Notes:
For optimal performance, ensure the benchmark index's data is available on your TradingView subscription. The script uses fallback mechanisms to avoid interruptions when index data is unavailable. Always validate the settings and test them to suit your trading strategy.
TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2TOT-BEP-Calculation V-2
ATT (3PM-6PM: 8PM-9PM UK) - TRADEWITHWILL
ATT (Advanced time theory) discovered by INuke (Tradewithwill)
The code will only show labels from 3pm to 6pm & 8pm to 9pm
(Only recommended on CME_MINI:NQ1! )
EMA Indicator Trending Indicator 5 min TFEMA Indicator Trending Indicator 5 min TF for Intraday trend catch up
AI EngulfingCandle v6 2025This script will now work with Pine Script version 6 and display buy/sell signals based on the engulfing candle pattern and RSI conditions.
Exponential Moving Averages by ComLucro - A/B/C/D/E - 2025_V01This script, "Exponential Moving Averages by ComLucro: A/B/C/D/E - 2025_V01", offers a customizable tool for traders to visualize five exponential moving averages (EMAs) on their charts.
Key Features:
Customizable Lengths: Adjust the lengths for each EMA (A, B, C, D, E) to fit your trading strategy, ranging from short-term (10 periods) to long-term (200 periods).
Color Customization: Choose colors for each EMA line to differentiate and organize your chart effectively.
Visibility Options: Toggle individual EMAs on or off for a cleaner and more focused analysis.
Intuitive Design: Streamlined user interface ensures easy integration and quick adjustments directly on your TradingView chart.
How It Works:
The script calculates five EMAs based on the closing price and plots them directly on your chart.
Use these EMAs to identify trends, potential reversals, and areas of confluence in price action.
Ideal For:
Traders seeking to incorporate multiple EMA signals into their trading strategy.
Analyzing trends across various timeframes with an easy-to-use, customizable indicator.
Chart Recommendation:
Use this script on clean charts with clear price action to avoid clutter. It works well in combination with other trend-following tools or oscillators.
Disclaimer:
This tool is for educational purposes only and does not constitute financial or trading advice. Use it as part of a well-rounded trading strategy with proper risk management.
Additional Notes:
For best results, combine this indicator with strong risk management practices and a detailed understanding of market conditions. Always backtest the settings to ensure compatibility with your trading strategy.
Simple Moving Averages by ComLucro - A/B/C/D/E - 2025_V03This script provides an easy-to-use tool for plotting Simple Moving Averages (SMA) on your TradingView chart. With customizable lengths, colors, and visibility options, you can tailor the script to fit your trading strategy and chart preferences.
Key Features:
Five Simple Moving Averages (SMA): A, B, C, D, and E, with default lengths of 10, 20, 50, 100, and 200 periods, respectively.
Fully Customizable:
Adjust SMA lengths to match your trading needs.
Customize line colors for easy identification.
Toggle visibility for each SMA on or off.
Clear and Intuitive Design: This script overlays directly on your chart, providing a clean and professional look.
Educational Purpose: Designed to support traders in analyzing market trends and identifying key price levels.
How to Use:
Add the indicator to your chart.
Configure the SMA lengths under the input settings. Default settings are optimized for common trading strategies.
Customize the colors to differentiate between the moving averages.
Toggle the visibility of specific SMAs to focus on what's important for your analysis.
Best Practices:
Use shorter SMAs (e.g., A and B) to identify short-term trends and momentum.
Use longer SMAs (e.g., D and E) to evaluate medium- to long-term trends and support/resistance levels.
Combine with other tools like RSI, MACD, or volume analysis for a more comprehensive trading strategy.
Disclaimer:
This script is for educational purposes only and does not constitute financial or trading advice. Always backtest your strategies and use proper risk management before applying them in live markets.
Indicador CME - DOLAR BRLConversão do Dólar em Real pelo CME. Normalmente o gráfico do CME é Dólar/Real. Com esse indicador é possível inverter e obter o valor do real em dólar.
AI-Style Trading Strategy - Long OnlyThis strategy automatically buys you into various products. Each product has its own perfect stop loss and take profit values. You can get these on my discord. The strategy works best in the bull market but can also run continuously.