AROS Adaptive Robust OneSided Smoother

AROS (Adaptive Robust One-Sided Smoother)

is a non-repainting trend indicator designed for live trading.
It plots a smooth adaptive trend line directly in the main chart window, helping traders:

  • identify the current market trend,

  • reduce noise and false signals during sideways markets,

  • adapt automatically to changing volatility conditions.

Unlike classic moving averages, AROS:

  • reacts faster during strong trends,

  • becomes more stable during choppy or ranging markets,

  • never uses future data (fully causal).

How to read the trend line on the chart

The Trend line represents the estimated underlying market direction:

  • Price above the trend line
    → bullish bias, trend-following long setups are favored.

  • Price below the trend line
    → bearish bias, trend-following short setups are favored.

Because the smoothing is adaptive:

  • during strong directional moves the line follows price more closely,

  • during ranging or noisy periods the line becomes smoother and more stable.

Trend line color indicates market regime:

  • Red = Trend regime (trend-following conditions)

  • Blue = Range regime (choppy/ranging conditions; be cautious with trend signals)


Simple trading ideas (examples)

Trend-following

  • Trade in the direction of the trend line.

  • Use pullbacks toward the trend line as potential entry areas.

  • Avoid counter-trend trades when the market is clearly trending.

Range / mean-reversion

  • When the market is ranging, price often oscillates around the trend line.

  • In such conditions, deviations from the trend line tend to revert back.

(Advanced users can automate these ideas using the provided buffers — see Section 2.)

Fast/Slow AROS crossover idea

Apply AROS twice with different responsiveness (smaller vs larger windows). Crosses between the two AROS trend lines can be used similarly to fast/slow moving-average cross signals.

Example configuration is at chapter 2.9 below. 


Simple explanation of the algorithm (non-technical)

AROS works in three main steps:

  1. Noise measurement
    The indicator estimates current market noise using a robust volatility measure (MAD), which is less sensitive to spikes and news.

  2. Trend strength estimation
    It measures how strongly price moves in one direction (slope).

  3. Adaptive smoothing
    If trend strength is high compared to noise → the trend reacts faster.
    If noise dominates → the trend is smoothed more strongly.

This adaptive behavior happens automatically on every bar.

Input parameters

=== Lookback windows ===

VolatilityMADWindow
Lookback window (in bars) used to estimate market noise with a robust MAD volatility.
Higher values → more stable trend, slower reaction.
Lower values → more reactive trend, more sensitive to noise.

SlopeWindow
Lookback window (in bars) used to estimate trend strength (slope).
Higher values → smoother, slower trend detection.
Lower values → faster reaction to short-term moves.

=== Smoothing factors ===

AlphaMin
Minimum smoothing factor.
Defines how slow and smooth the trend can become in noisy or ranging markets.

AlphaMax
Maximum smoothing factor.
Defines how fast the trend can react during strong directional movement.

AlphaEMAFactor
EMA factor used to smooth the adaptive smoothing parameter itself.
Higher values → faster changes in trend responsiveness.
Lower values → smoother, more stable trend behavior.

SNRScale
Scaling constant controlling how quickly the indicator switches between slow and fast smoothing based on trend strength.

=== Regime thresholds ===

Used for evaluate market regime flags (Trend/Range) saved into RegimeBuffer used in EA integration.

TrendRegimeOnSNR
Threshold to enter Trend regime.
Higher values → fewer but stronger trend signals.

TrendRegimeOffSNR
Threshold to exit Trend regime and return to Range regime.
Creates hysteresis to avoid frequent regime switching.


2. Advanced / Quant section – Algorithm & EA integration

2.1 Conceptual model

Price is modeled as:

Price = Trend + Noise

The goal of AROS is to estimate the Trend component in real time, without repainting, while also providing information about Noise and Market Regime.

2.2 Robust volatility estimation

Price returns are computed as:

ΔPrice = Price(t) − Price(t−1)

Volatility is estimated using MAD (Median Absolute Deviation):

Volatility = 1.4826 × median( |ΔPrice − median(ΔPrice)| )

This approach is robust against spikes and outliers and is controlled by VolatilityMADWindow parameter.

The computed robust volatility estimate is exposed as VolatilityBuffer (price units).

2.3 Trend strength estimation

Trend strength is approximated by the average absolute price change:

Slope = (1 / K) × Σ |Price(t) − Price(t−k)| , k = 1..K

where K = SlopeWindow parameter.

The computed slope proxy is exposed as SlopeBuffer.

2.4 Adaptive smoothing parameter (Alpha)

A signal-to-noise ratio is computed:

SNR = Slope / Volatility

The adaptive smoothing factor is then mapped into the interval:

Alpha = AlphaMin + (AlphaMax − AlphaMin) × (SNR / (SNR + SNRScale))

To avoid instability, Alpha is further smoothed using an EMA:

AlphaSmooth = AlphaEMAFactor × Alpha + (1 − AlphaEMAFactor) × AlphaSmooth(previous)

AlphaMin, AlphaMax, SNRScale, AlphaEMAFactor are input parameters.

The computed signal-to-noise ratio is exposed as SNRBuffer.

2.5 Trend update equation

The final trend is updated recursively:

Trend(t) = AlphaSmooth × Price(t) + (1 − AlphaSmooth) × Trend(t−1)

This formulation is:

  • fully causal,

  • O(1) per bar,

  • non-repainting.

2.6 Noise buffer (EA integration)

The Noise buffer contains the normalized residual:

Noise = (Price − Trend) / Volatility

(as described in sections 2.2 and 2.5)

It represents short-term deviation from the trend and is useful for:

  • mean-reversion strategies,

  • overbought / oversold detection,

  • channel construction.

2.7 Trend / Range regime flag

Using the same SNR measure:

If SNRTrendRegimeOnSNRTrend regime (1)

If SNRTrendRegimeOffSNRRange regime (0)

Elsekeep previous regime

This hysteresis-based regime detection prevents frequent switching and provides a clean state signal for Expert Advisors.

TrendRegimeOnSNR, TrendRegimeOffSNR are input parameters.

2.8 Buffers available for EA integration

The indicator provides the following buffers:

  • 0 - TrendBuffer
    Smoothed adaptive trend value (as described in section 2.5).Visible in main chart window as trend line.

  • 1 - RegimeBuffer
    Market regime flag: 1 = Trend , 0 = Range (section 2.7). Visible in main chart window as color classification of the trend line.

  • 2 - NoiseBuffer
    Normalized residual (Price − Trend) / Volatility (view section 2.6).

  • 3 - AlphaSmoothBuffer (internal calculation buffer)
    Smoothed adaptive alpha state used in the trend recursion (section 2.4/2.5).

  • 4 - SlopeBuffer (EA/diagnostics)
    Signed slope proxy of local trend strength (section 2.3), in price units per bar.

  • 5 - VolatilityBuffer (EA/diagnostics)
    Robust MAD volatility estimate (section 2.2), in price units.

  • 6 - SNRBuffer (EA/diagnostics)
    Signal-to-noise ratio used for regime and alpha decisions (section 2.4/2.7), dimensionless.

These buffers allow direct and efficient use in Expert Advisors via iCustom.

2.9 Recommended Setups

FX (EURUSD, GBPUSD, USDJPY)

Recommended timeframes: M5 – H1

VolatilityMADWindow = 20, SlopeWindow = 10, AlphaMin = 0.02, AlphaMax = 0.35, AlphaEMAFactor = 0.30, SNRScale = 1.0, TrendRegimeOnSNR = 1.5, TrendRegimeOffSNR = 1.0

Crypto (BTCUSD, ETHUSD)

Recommended timeframes: M1 – M15

VolatilityMADWindow = 30, SlopeWindow = 12, AlphaMin = 0.03, AlphaMax = 0.45, AlphaEMAFactor = 0.25, SNRScale = 1.2, TrendRegimeOnSNR = 1.8, TrendRegimeOffSNR = 1.2


Fast/Slow AROS crossover idea

Fast AROS (more reactive)

  • smaller VolatilityMADWindow

  • smaller SlopeWindow

  • higher AlphaMax

  • slightly higher AlphaEMAFactor (so alpha adapts faster)

Example:

VolatilityMADWindow = 15, SlopeWindow = 7, AlphaMin = 0.03, AlphaMax = 0.50, AlphaEMAFactor = 0.40, SNRScale = 1.0

Slow AROS (more stable)

  • larger VolatilityMADWindow

  • larger SlopeWindow

  • lower AlphaMax

  • slightly lower AlphaEMAFactor

Example:

VolatilityMADWindow = 35, SlopeWindow = 15, AlphaMin = 0.015, AlphaMax = 0.25, AlphaEMAFactor = 0.25, SNRScale = 1.0

Signal definition (simple)

  • Bullish cross: TrendFast crosses above TrendSlow

  • Bearish cross: TrendFast crosses below TrendSlow

This behaves very similarly to fast/slow MA crosses, but with adaptive responsiveness.


Final notes

  • The indicator is fully non-repainting and suitable for live trading.

  • Designed for manual trading and EA integration.

  • Uses robust statistics to handle real market conditions.


おすすめのプロダクト
1. Overview The Scalping PullBack Signal indicator is a powerful technical analysis tool designed to help traders identify scalping opportunities based on potential pullback and reversal signals. This tool is particularly useful on lower timeframes (below 15 minutes) but can also be applied on higher timeframes for longer-term trades. This indicator integrates several key analytical components, providing a comprehensive view of trends and potential entry/exit points, helping you make quick and e
FREE
FiveStarFX Gold Reversal Edge Professional automated trading solution designed for structured execution and controlled risk management in the Gold market. Built for traders who value discipline, precision, and consistency. Key Features Fully automated trading One trade at a time (controlled exposure) Fixed Stop Loss and Take Profit Smart Break-Even protection Profit lock with buffer Step-based trailing management Spread protection system Works on any broker Trade Management The E
FREE
Price Magnet — Price Density and Attraction Levels Indicator Price Magnet is a professional analytical tool designed to identify key support and resistance levels based on statistical Price Density. The indicator analyzes a specified historical period and detects price levels where the market spent the most time. These zones act as “magnets,” attracting price action or forming a structural base for potential reversals. Unlike traditional Volume Profile tools, Price Magnet focuses on price-time d
Divergent Stochastic Filter II Catch Reversals Early, Filter Noise, Trade with Confidence The Edge: Why This Stochastic is Different  Every trader knows the Stochastic oscillator. But knowing when to trust its signals, that's the real challenge. The Divergent Stochastic Filter II transforms this classic indicator into a precision reversal detection system by adding critical elements: divergence intelligence, signal filtering and exhaustion detection.  While standard Stochastic oscillators fire s
SMC Venom Model BPR インジケーターは、スマート マネー (SMC) コンセプトで取引するトレーダー向けのプロフェッショナル ツールです。価格チャート上の 2 つの主要なパターンを自動的に識別します。 FVG   (フェアバリューギャップ) は、3 本のローソク足の組み合わせで、最初のローソク足と 3 番目のローソク足の間にギャップがあります。ボリュームサポートのないレベル間のゾーンを形成し、価格修正につながることがよくあります。 BPR   (バランス価格範囲) は、2 つの FVG パターンの組み合わせで、「ブリッジ」を形成します。これは、価格がボリュームアクティビティの少ない動きで動くときに、ブレイクアウトしてレベルに戻るゾーンで、ローソク足の間にギャップを作成します。 これらのパターンは、大規模な市場プレーヤーと一般参加者の相互作用が発生するチャート上のボリュームと価格動向の分析に基づいて、トレーダーが主要なサポート/レジスタンス レベル、ブレイクアウト ゾーン、エントリ ポイントを識別するのに役立ちます。 インジケーターは、長方形と矢印の形でパターンを視覚
High Low Open Close
Alexandre Borela
4.98 (43)
このプロジェクトが好きなら、5つ星レビューを残してください。 このインジケータは、指定されたためのオープン、ハイ、ロー、クローズ価格を描画します 特定のタイムゾーンの期間と調整が可能です。 これらは、多くの機関や専門家によって見られた重要なレベルです トレーダーは、彼らがより多くのかもしれない場所を知るために有用であり、 アクティブ。 利用可能な期間は次のとおりです。 前の日。 前週。 前の月。 前の四半期。 前年。 または: 現在の日。 現在の週。 現在の月。 現在の四半期。 現年。
FREE
The Antique Trend Indicator is a revolutionary trend trading and filtering solution with all the important features of a trend tool built into one tool! The Antique Trend indicator is good for any trader, suitable for any trader both for Forex and binary options. There is no need to configure anything, everything has been perfected by time and experience, it works great during flats and trends. The Antique Trend indicator is a tool for technical analysis of financial markets, reflecting curren
Range Directional Force Indicator – Designed for You to Optimize! The Range Directional Force Indicator is a cutting-edge tool designed to empower traders by visualizing market dynamics and directional strength. Built to offer insights into market trends and reversals, this indicator is an invaluable asset for traders seeking precision in their strategies. However, it is important to note that this indicator is not optimized, leaving room for you to tailor it to your unique trading preferences.
SPECIAL LAUNCH OFFER: $30 (1-Month Rent) Limited time offer to build our community and gather feedback! AmbM GOLD Institutional Scalper A high-precision M5 algorithm for XAUUSD (Gold) , engineered to trade exclusively at Institutional Liquidity Levels ($5/$10 psychological marks). PERFORMANCE DATA (BUY ONLY) • Win Rate: 87.09%. • Safe Growth: +$4,113 profit on $10k (13.75% Max Drawdown). • Extreme Stress Test: Successfully generated +$22,997 in a 5-year stress test (2020-2026), proving
RBreaker Gold Indicatorsは、金先物の短期日内取引戦略であり、トレンドフォローと日内反転の2つの取引手法を組み合わせたものです。トレンド相場での利益を捉えるだけでなく、相場が反転した際には迅速に利確し、その流れに沿ってポジションを反転させることができます。 この戦略は、アメリカの雑誌『Futures Truth』において、15年連続で最も収益性の高い取引戦略トップ10に選ばれた実績を持ち、非常に長いライフサイクルを誇り、現在も国内外で広く使用・研究されています。 本インディケーターは、2026年の金先物の値動きに対応し、14日間のATR指標に基づいて、ブレイクアウト係数A、観察係数B、リバーサル係数Rをより合理的な値で定義しています。非常に優れたインディケーターであり、安定的な年間収益を実現しています。ぜひおすすめします〜
The new update makes this indicator a complete tool for studying, analyzing and operating probabilistic patterns. It includes: On-chart Multi-asset percentage monitor. Configurable martingales. Twenty-one pre-configured patterns, including Mhi patterns and C3. An advanced pattern editor to store up to 5 custom patterns. Backtest mode to test results with loss reports. Trend filter. Hit operational filter. Martingale Cycles option. Various types of strategies and alerts. Confluence between patter
All-in-One Chart Patterns Professional Level: The Ultimate 36-Pattern Trading System All-in-One Chart Patterns Professional Level is a comprehensive 36-pattern indicator well known by retail traders, but significantly enhanced with superior accuracy through integrated news impact analysis and proper market profile positioning. This professional-grade trading tool transforms traditional pattern recognition by combining advanced algorithmic detection with real-time market intelligence.  CORE FEATU
FREE
Overview Supply & Demand (MTF) v1.00 is a MetaTrader 5 indicator that automatically identifies and draws key supply and demand zones from up to three timeframes on your current chart. Supply zones mark areas where selling pressure was strong; demand zones mark areas where buying pressure was strong. Features Multi-timeframe detection Scan the current chart plus two higher timeframes for zones. Candle-strength filter Require a configurable number of strong candles to confirm each zone. Adjust
FREE
数列の一つに「森林火災数列」があります。これは、最も美しい新しいシーケンスの 1 つとして認識されています。その主な特徴は、このシーケンスが線形トレンドを回避することです。最短のものであってもです。この指標の基礎を形成したのはこのプロパティです。 財務時系列を分析する場合、この指標は可能なすべての傾向オプションを拒否しようとします。そして失敗した場合にのみ、トレンドの存在を認識し、適切なシグナルを発します。このアプローチにより、新しいトレンドの始まりの瞬間を正しく判断できます。ただし、偽陽性の可能性もあります。それらの数を減らすために、このインジケーターに追加のフィルターが追加されました。新しいバーが開くとシグナルが生成されます。いずれの場合も再描画は発生しません。 指標パラメータ: Applied Price   - 適用価格定数; Period Main   - インディケータのメイン期間、その有効な値は 5 ~ 60 です。 Period Additional   - 追加の期間。このパラメーターの有効な値は 5 ~ 40 です。 Signal Filter   - 追加の信号
Noize Absorption Index - is the manual trading system that measures the difference of pressure between bears forces and bulls forces. Green line - is a noize free index that showing curent situation. Zero value of index shows totally choppy/flat market.Values above zero level shows how powerfull bullish wave is and values below zero measures bearish forces.Up arrow appears on bearish market when it's ready to reverse, dn arrow appears on weak bullish market, as a result of reverse expectation.
Follow The Line MT5
Oliver Gideon Amofa Appiah
4.6 (35)
This indicator obeys the popular maxim that: "THE TREND IS YOUR FRIEND" It paints a GREEN line for BUY and also paints a RED line for SELL. (you can change the colors). It gives alarms and alerts of all kinds. IT DOES NOT REPAINT and can be used for all currency pairs and timeframes. Yes, as easy and simple as that. Even a newbie can use it to make great and reliable trades. NB: For best results, get my other premium indicators for more powerful and reliable signals. Get them here: https://www.m
FREE
HiLo Activator v1.02 by xCalper The HiLo Activator is similar to moving average of previous highs and lows. It is a trend-following indicator used to display market’s direction of movement. The indicator is responsible for entry signals and also helps determine stop-loss levels. The HiLo Activator was first introduced by Robert Krausz in the Feb. 1998 issue of Stocks & Commodities Magazine.
Professional TMA Version 1.0 - Advanced Technical Analysis OVERVIEW The Professional TMA Centered is an advanced technical indicator based on the Triangular Moving Average (TMA) that provides multidimensional market analysis through accurate signals, dynamic bands, and automatic reversal point detection. What is a TMA (Triangular Moving Average)? The TMA is a doubly smoothed moving average that significantly reduces market noise while remaining sensitive to trend changes. Unlike traditiona
回帰取引を意味する専門的かつ定量的なアプローチを実装する独自の指標。これは、価格が予測可能かつ測定可能な方法で迂回して平均に戻るという事実を利用しており、非定量的な取引戦略を大幅に上回る明確な出入りルールを可能にします。 [ Installation Guide | Update Guide | Troubleshooting | FAQ | All Products ] 明確な取引シグナル 驚くほど簡単に取引できます カスタマイズ可能な色とサイズ パフォーマンス統計を実装します ほとんどの取引戦略を上回ります 適切なSLおよびTPレベルを表示します 電子メール/音声/視覚アラートを実装します 使い方 インディケータは、より高い時間枠からの完全にカスタマイズ可能な移動平均の周りの標準偏差を測定し、トレンドフォローアプローチを使用して正確に取引を見つけます。取引は、現在のチャートの価格アクションに飛び込むことによって見つけられ、価格が選択したより高い時間枠から計算された平均価格帯に戻ったときに閉じられます。それがコード化される方法のために、指標は高ボラティリティと強いトレンドの市場か
The Riko Trend indicator is a revolutionary trend trading and filtering solution with all the important features of a trend tool built into one tool! The Riko Trend indicator is good for any trader, suitable for any trader for both forex and binary options. You don’t need to configure anything, everything is perfected by time and experience, it works great during a flat and in a trend. The Riko Trend indicator is a technical analysis tool for financial markets that reflects the current price f
This indicator has been developed to identify and display these trends quickly and easily, allowing you to see instantly, those currency pairs which are trending, and those which are not – and in all timeframes, with just one click. The 28 currency pairs are displayed as a fan as they sweep from strong to weak and back again, and this is why we call it the ‘currency array’. All 28 pairs are arrayed before you, giving an instant visual description of those pairs that are trending strongly, those
Little Swinger    (Best choice for passive income lovers) Developed by RobotechTrading   key features: Financial Freedom Back testing results will match with real live trading results Proper TP and SL Controlled Risk Highly Optimized settings Running on our Real Live Accounts Little Risk, Little Drawdown, Little Stress, Little BUT stable income, just set and forget. Strategy: Not Indicator based No Martingale  No Grid  No Repaint strategy Safe and Secure calculation of Live data and than take
平均方向性指数(ADX)マルチカレンシースキャナー MT5 は、複数の通貨ペアを同時に分析するために設計された高度なトレーディングインジケーターです。これは、平均方向性指数に基づくリアルタイムのシグナルを提供することで、意思決定プロセスを強化したいトレーダーに利益をもたらし、効率的な市場トレンド分析を可能にします。 このツールは、トレンドの強さと方向の動きを簡単に特定できるようにし、ADXに基づく戦略を採用するトレーダーにとって不可欠な資産となっています。リアルタイムのアラートとユーザーフレンドリーなダッシュボードを備え、トレーダーは市場の状況を迅速に評価し、情報に基づいた取引選択を行うことができます。 MQL製品のインストールガイド | MT4/MT5で購入したMQL製品の更新 | 一般的なトラブルシューティングガイド | インジケーター設定 / ガイド 主な機能 バッファ統合: インジケーターの値をアクセス可能なバッファとして公開し、Expert Advisorが自動取引のためにシグナルデータを利用できるようにします。 視覚的矢印シグナル: シグナルキャンドルのチャート上に明確なB
概要 このインジケーターは、クラシックな ドンチャンチャネル を強化したバージョンで、実践的なトレード機能を追加しています。 標準の3本線(上限、下限、中央線)に加え、 ブレイクアウト を検出し、チャート上に矢印で視覚的に表示します。また、チャートを見やすくするために、 現在のトレンド方向と逆側のラインのみを表示 します。 インジケーターの機能: 視覚的シグナル :ブレイクアウト時にカラフルな矢印を表示 自動通知 :ポップアップ、プッシュ通知、Eメール RSIフィルター :市場の相対的な強弱に基づいてシグナルを検証 カスタマイズ可能 :色、ラインの太さ、矢印コード、RSI閾値など 動作原理 ドンチャンチャネルは次のように計算します: 上限線 :直近N本のクローズ済みローソク足の最高値 下限線 :直近N本のクローズ済みローソク足の最安値 中央線 :最高値と最安値の平均値 上方ブレイクアウト は終値が上限線を超えたときに発生し、 下方ブレイクアウト は終値が下限線を下回ったときに発生します。 インジケーターは以下を行います: 3本のドンチャンラインを描画 方向転換後の最初のブレイクアウト
FREE
インディケータは現在のクオートを作成し、これを過去のものと比較して、これに基づいて価格変動予測を行います。インジケータには、目的の日付にすばやく移動するためのテキスト フィールドがあります。 オプション: シンボル - インジケーターが表示するシンボルの選択; SymbolPeriod - 指標がデータを取る期間の選択; IndicatorColor - インジケータの色; HorisontalShift - 指定されたバー数だけインディケータによって描画されたクオートのシフト; Inverse - true は引用符を逆にします。false - 元のビュー。 ChartVerticalShiftStep - チャートを垂直方向にシフトします (キーボードの上下矢印)。 次は日付を入力できるテキストフィールドの設定で、「Enter」を押すとすぐにジャンプできます。
Caicai L&S Yield Histogram Important Notice: This indicator is an integral tool of the automated EA Caicai Long and Short Pair Trading . This indicator visually displays the percentage deviation (Yield %) of a pair's current spread relative to its own historical mean. It is an excellent tool for quickly visualizing the gross financial potential of a market distortion in Long & Short operations. Main Features: Percentage Visualization: Understand the size of the distortion in palpable percentage
概要 Auto Fibo Trend Signalは、裁量トレーダーの環境認識とエントリー判断を直感的にサポートするために開発された多機能分析インジケーターです。 チャート上に表示されるインタラクティブなダッシュボードを通じて、各種テクニカル指標の制御やパラメータ変更をシームレスに行うことができます。プロパティ画面を毎回開く手間を省き、相場状況に合わせた柔軟な分析が可能です。 主な機能と特徴 インタラクティブダッシュボード チャート上に配置された専用パネルから、各インジケーターのオンオフや期間の変更を直接行うことができます。パネルはドラッグして好きな位置に移動できるほか、最小化してチャートの視界を確保することも可能です。 統合シグナルエンジン SMA(単純移動平均線)、MACD、RSI、ボリンジャーバンドの4つの代表的なテクニカル指標を統合しています。ダッシュボードで有効にしているすべての指標の条件が一致した箇所でのみ、チャート上に売買シグナル(矢印)と損切り・利益確定の目安ラインを発生させます。 ライブパフォーマンス表示 発生したシグナルに基づく仮想トレードの勝敗を記録し、ダッシュ
FREE
HiLo Activator is one of the most used indicators to determine trend. Find it here with the ability to customize period and colors. This indicator also plots up and down arrows when there is a change on the trend, indicating very strong entry and exit points. HiLo fits well to different types of periods for day trading. You can easily understand when it is time to buy or sell. It works pretty good also for other periods like daily and monthly signalizing long-term trends. The use of the indicato
True Day
Aurthur Musendame
5 (1)
True Days is a tool designed specifically for the trader who wants to catch intraday volatility in price charts.  True day makes it easier for the trader to avoid trading in the dead zone - a period in time where markets are considered dead or non volatile. The trader can concentrate on finding opportunities only during periods of profound market movements. By default the indicator gives you a true day starting at 02:00 to 19:00 hours GMT+2. You can adjust according to your Time Zone. By deafult
FREE
The Trend Detect indicator combines the features of both trend indicators and oscillators. This indicator is a convenient tool for detecting short-term market cycles and identifying overbought and oversold levels. A long position can be opened when the indicator starts leaving the oversold area and breaks the zero level from below. A short position can be opened when the indicator starts leaving the overbought area and breaks the zero level from above. An opposite signal of the indicator can b
このプロダクトを購入した人は以下も購入しています
Azimuth Pro
Ottaviano De Cicco
5 (6)
発売プロモーション Azimuth Proは先着100名様限定で 299ドル でご提供します。最終価格は 499ドル となります。 リテールとインスティテューショナルのエントリーの違いはインジケーターではなく、ロケーションにあります。 多くのトレーダーは、モメンタムを追いかけたり、遅行シグナルに反応して、任意の価格レベルでエントリーします。機関投資家は、需給が実際にシフトする構造的なレベルに価格が到達するのを待ちます。 Azimuth Proはこれらのレベルを自動的にマッピングします:スイングアンカーVWAP、マルチタイムフレーム構造ライン、高確率ロケーションにのみ出現するABCパターン。 Azimuth Proは、構造分析とインテリジェントな自動化の両方を求めるプロフェッショナルトレーダー向けに構築されています。 Azimuthが外科的精度で市場構造をマッピングする一方、Azimuth Proはインテリジェンスレイヤーを追加します:トレーディングスタイルの自動検出、スマート設定された移動平均線、20年のデータでバックテストされた最適化パラメータ。その結果、お使いの銘柄と
ARICoin is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cust
このインジケーターを購入された方には、以下の特典を 無料 で提供しています: 各トレードを自動で管理し、ストップロスとテイクプロフィットを設定し、戦略ルールに基づいてポジションを決済する補助ツール 「Bomber Utility」 様々な銘柄に合わせたインジケーターの設定ファイル(セットファイル) 「最小リスク」、「バランスリスク」、「待機戦略」 の3つのモードで使用できる Bomber Utility 用の設定ファイル このトレーディング戦略をすぐに導入・設定・開始できる ステップバイステップのビデオマニュアル ご注意: 上記の特典を受け取るには、MQL5のプライベートメッセージシステムを通じて販売者にご連絡ください。 オリジナルのカスタムインジケーター 「Divergence Bomber(ダイバージェンス・ボンバー)」 をご紹介します。これは、MACDのダイバージェンス(乖離)戦略に基づいた 「オールインワン」型のトレーディングシステム です。 このテクニカルインジケーターの主な目的は、価格とMACDインジケーターの間に発生するダイバージェンスを検出 し、将来の価格の動きを示す
CGE Trading Suite
Carl Gustav Johan Ekstrom
5 (1)
CGE Trading Suite delivers the analytical edge typically reserved for professional trading desks. The platform integrates a full suite of analytical tools into one seamless workflow: dynamic grid mapping, liquidity behavior analysis, ECM, trend lines, MIDAS, trade cycles, and directional channel projections. Together, these provide a unified view of market structure and momentum. Directional clarity is further enhanced by the capital flow index, which measures currency basket strength to identif
RelicusRoad Pro: 定量的市場オペレーティングシステム 【期間限定】無制限アクセス 70% OFF - 2,000人超のトレーダーと共に なぜ多くのトレーダーは「完璧な」インジケーターを使っても失敗するのでしょうか? それは、文脈を無視して 単一の概念 だけでトレードしているからです。文脈のないシグナルは単なるギャンブルです。勝ち続けるには、 根拠の重なり(コンフルエンス) が必要です。 RelicusRoad Proは単なる矢印インジケーターではありません。完全な 定量的市場エコシステム です。独自のボラティリティモデリングを用いて、価格が推移する「適正価値の道(Fair Value Road)」をマッピングし、ノイズと真の構造的ブレイクを判別します。 推測はやめましょう。機関投資家レベルの「ロード・ロジック」でトレードを。 コアエンジン:「Road」アルゴリズム システムの中心となる Road Algo は、市場環境にリアルタイムで適応するダイナミックなボラティリティチャネルです。 安全ライン(平衡点) と、価格が数学的に反転しやすい 拡張レベル を投影します。 Si
AriX
Temirlan Kdyrkhan
1 (4)
AriX Indicator for MT5 A powerful trend-following and signal-evaluation tool AriX is a custom MT5 indicator that combines Moving Averages and ATR-based risk/reward logic to generate clear buy/sell signals. It visualizes dynamic SL/TP levels, evaluates past trade outcomes, and displays win/loss statistics in a clean on-chart panel. Key features include: Buy/Sell signals based on MA crossovers ATR-based SL/TP1/TP2/TP3 levels with visual lines and labels Signal outcome tracking with real-time stat
マーケットメーカーのためのツール。 Meravith は次の機能を提供します: すべての時間足を分析し、現在有効なトレンドを表示します。 強気と弱気の出来高が等しくなる流動性ゾーン(出来高均衡)を強調表示します。 異なる時間足のすべての流動性レベルをチャート上に直接表示します。 テキスト形式の市場分析を生成し、参考情報として表示します。 現在のトレンドに基づいて目標値、サポートレベル、ストップロスを計算します。 取引のリスクリワード比を算出します。 口座残高に基づいてポジションサイズを計算し、潜在的な利益を推定します。 また、市場に大きな変化があった場合には警告を表示します。 インジケーターの主要ライン: 強気/弱気の出来高エグゾーストライン ― 目標値として機能します。 市場のトレンドを示すライン。市場が強気か弱気かによって色が変わり、トレンドのサポートとして機能します。主にその色が市場センチメントを示します。 出来高均衡ライン(Eq)。Eq(Volume Equilibrium)ラインはシステムの中核です。これは買い手と売り手の出来高のバランスポイントを表します。市場の流動性を示し
OmniSync Projection
Antonio-alin Teculescu
5 (1)
Chronos Fractal Engine is an innovative price projection indicator for MetaTrader 5, designed to transform your technical analysis by intelligently identifying and projecting historical price patterns. Built upon an advanced correlation algorithm and the fractal principles of the market, this powerful tool visualizes potential future price movements, giving you a unique edge in your trading decisions. What is Chronos Fractal Engine? At its core, the Chronos Fractal Engine employs a sophisticat
優れたテクニカルインジケーター「Grabber」をご紹介します。これは、すぐに使える「オールインワン」トレーディング戦略として機能します。 ひとつのコードに、市場のテクニカル分析ツール、取引シグナル(矢印)、アラート機能、プッシュ通知が強力に統合されています。 このインジケーターを購入された方には、以下の特典を無料で提供します: Grabberユーティリティ:オープンポジションを自動で管理するツール ステップバイステップのビデオマニュアル:インジケーターのインストール、設定、取引方法を解説 カスタムセットファイル:インジケーターをすばやく自動設定し、最大限の成果を出すための設定ファイル 他の戦略はもう忘れてください!Grabberだけが、あなたを新たなトレードの高みへと導いてくれるのです。 Grabber戦略の主な特徴: 推奨タイムフレーム:M5〜H4 対応通貨ペア・資産:どれでも使用可能ですが、私が実際に検証した以下を推奨します(GBPUSD、GBPCAD、GBPCHF、AUDCAD、AUDUSD、AUDSGD、AUDCHF、NZDUSD、NZDCAD、EURCAD、EURUSD、E
Bill Williams Advanced is designed for automatic chart analysis using Bill Williams' "Profitunity" system. The indicator analyzes four timeframes at once. Manual (Be sure to read before purchasing) Advantages 1. Analyzes the chart using Bill Williams' "Profitunity" system. Signals are displayed in a table in the corner of the screen and on the price chart. 2. Finds all known AO and AC signals, as well as zone signals. Equipped with a trend filter based on the Alligator. 3. Finds "Divergence Bar
Quantum TrendPulse を ご紹介します。これは、   SuperTrend   、   RSI   、および Stochastic のパワーを 1 つの包括的なインジケーターに組み合わせて、取引の可能性を最大限に引き出す究極の取引ツールです。精度と効率を求めるトレーダー向けに設計されたこのインジケーターは、市場のトレンド、勢いの変化、最適なエントリー ポイントとエグジット ポイントを自信を持って特定するのに役立ちます。 主な特徴: SuperTrend 統合: 現在の市場動向に簡単に追従し、収益性の波に乗ることができます。 RSI精度: 買われすぎと売られすぎのレベルを検出し、市場の反転のタイミングに最適で、SuperTrendのフィルターとして使用されます。 確率的精度: 確率的振動を活用して、変動の激しい市場で隠れたチャンスを見つけます。SuperTrend のフィルターとして使用されます。 マルチタイムフレーム分析:   M5 から H1 または H4 まで、さまざまなタイムフレームで市場を常に把握します。 カスタマイズ可能なアラート: カスタム取引条件が満たされ
ご紹介     Quantum Breakout PRO は 、ブレイクアウト ゾーンの取引方法を変革する画期的な MQL5 インジケーターです。 13年以上の取引経験を持つ経験豊富なトレーダーのチームによって開発されました。     クォンタム ブレイクアウト プロ   は、革新的でダイナミックなブレイクアウト ゾーン戦略により、あなたのトレーディングの旅を新たな高みに押し上げるように設計されています。 クォンタム ブレイクアウト インジケーターは、5 つの利益ターゲット ゾーンを備えたブレイクアウト ゾーン上のシグナル矢印と、ブレイクアウト ボックスに基づいたストップロスの提案を提供します。 初心者トレーダーにもプロのトレーダーにも適しています。 量子EAチャネル:       ここをクリック 重要!購入後、インストールマニュアルを受け取るためにプライベートメッセージを送ってください。 推奨事項: 時間枠: M15 通貨ペア: GBPJPY、EURJPY、USDJPY、NZDUSD、XAUUSD アカウントの種類: ECN、Raw、またはスプレッドが非常に低い R
トレンド スクリーナー インジケーターでトレンド取引の力を解き放ちます。ファジー ロジックと複数通貨システムを活用した究極のトレンド取引ソリューションです。 ファジー ロジックを活用した革新的なトレンド インジケーターである Trend Screener を使用して、トレンド取引を向上させます。 これは、13 を超えるプレミアム ツールと機能、および 3 つの取引戦略を組み合わせた強力なトレンド追跡インジケーターであり、Metatrader をトレンド アナライザーにする多用途の選択肢となります。 期間限定オファー : トレンド スクリーナー インジケーターは、わずか 100 ドルで生涯ご利用いただけます。 (元の価格 50$ ) (オファー延長) Trend Screener の 100% 非再描画精度の揺るぎない精度を体験して、取引の決定が過去の価格変動の影響を受けないようにしてください。 マルチタイムフレームおよびマルチ通貨機能の多用途性を解放し、比類のない自信を持って外国為替、商品、暗号通貨、インデックスの世界を取引できるようにします。 Trend Screener の包括的な
The Trend Forecaster indicator utilizes a unique proprietary algorithm to determine entry points for a breakout trading strategy. The indicator identifies price clusters, analyzes price movement near levels, and provides a signal when the price breaks through a level. The Trend Forecaster indicator is suitable for all financial assets, including currencies (Forex), metals, stocks, indices, and cryptocurrencies. You can also adjust the indicator to work on any time frames, although it is recommen
現在33%オフ 初心者にもエキスパートトレーダーにも最適なソリューション このインジケーターは独自の機能と新しい公式を多数内蔵しており、ユニークで高品質かつ手頃な取引ツールです。このアップデートでは、2つの時間枠ゾーンを表示できるようになります。より長いTFだけでなく、チャートTFとより長いTF(ネストゾーンを表示)の両方を表示できます。すべてのSupply Demandトレーダーの皆さんのお気に召すはずです。:) 重要情報の公開 Advanced Supply Demandの可能性を最大化するには、 https://www.mql5.com/ja/blogs/post/720245 にアクセスしてください。   エントリーまたはターゲットの正確なトリガーポイントを正確に特定できれば取引がどのように改善されるか想像してみてください。新しい基盤となるアルゴリズムに基づいて構築されているため、買い手と売り手の間の潜在的な不均衡をさらに簡単に特定できます。これは、最も強い需要と供給のゾーンと、過去のパフォーマンス(古いゾーンを表示)がグラフィカルに表現されるためです。これらの機能は、最適な
このインジケーターは、反転ポイントと価格戻りゾーンを正確に表示します。     主要プレーヤー 。新たなトレンドが形成される場所を把握し、最大限の精度で意思決定を行い、すべての取引をコントロールします。 TREND LINES PRO インジケーターと組み合わせることで、その潜在能力を最大限に発揮します。 VERSION MT4 インジケーターが示す内容: 新しいトレンドの始まりに活性化する反転構造と反転レベル。 リスクと報酬の比率を最小限に抑えた利益 確定 と 損失停止の レベルの表示     RR 1:2   。 インテリジェントな削減ロジックによるストップロス。 指定されたインジケーターから 2 つのトレンド タイプの反転パターンを表示します。 指標: トレンドを追う   TREND LINES PRO   (世界的なトレンドの変化) TREND PRO   (クイックトレンド変更) シンプルで効果的   スキャナー   リアルタイムトレンド(新機能)。 マルチタイムフレームのインストゥルメント フィルタリング。 画面   利益     LOGIC AI信号の後。 当日プラス方
ARIPoint is a powerful trading companion designed to generate high-probability entry signals with dynamic TP/SL/DP levels based on volatility. Built-in performance tracking shows win/loss stats, PP1/PP2 hits, and success rates all updated live. Key Features: Buy/Sell signals with adaptive volatility bands Real-time TP/SL/DP levels based on ATR Built-in MA Filter with optional ATR/StdDev volatility Performance stats panel (Success, Profit/Loss, PP1/PP2) Alerts via popup, sound, push, or email Cu
Get the user guide here  https://g-labs.software/guides/BTMM_State_Engine_Welcome_Pack.html BTMM State Engine Pro — the   all-in-one Banks   & Institutions Market Maker indicator for Meta Trader 5. Built for   BTMM traders who follow the Asian   session breakout methodology with Kill Zone timing , level stacking, peak formation detection , and multi-pair scanning — all   from a single chart. Combines   a full BTMM State Engine   with a built-in multi-pair Scanner dashboard, eliminating the need
ACB Breakout Arrows MT5
KEENBASE SOFTWARE SOLUTIONS
3.5 (2)
ACB Breakout Arrows インジケーターは、特別なブレイクアウトパターンを検出することで、市場における重要なエントリーシグナルを提供します。このインジケーターはチャートを常に監視し、一方向に勢いが定着してきた段階で、主要な値動きの直前に精度の高いエントリーシグナルを表示します。 マルチシンボル・マルチタイムフレームスキャナーはこちらから - ACB Breakout Arrows MT5 用スキャナー 主な機能 ストップロスとテイクプロフィットの水準が自動で表示されます。 すべての時間足のブレイクアウトシグナルを監視できるMTFスキャナーダッシュボードを搭載。 デイトレーダー、スイングトレーダー、スキャルパーに最適。 シグナル精度を高めるための最適化されたアルゴリズム。 損益分岐点やスキャルピングターゲットに使える特別なライン(クイックプロフィットライン)。 勝率、平均利益などのパフォーマンス分析メトリクスを表示。 リペイントなし。 トレードの確認 - 低確率のトレードを除外するために ACB Trade Filter インジケーター を使用してください。 強い買い:
これはMT5のインジケーターで、再描画なしで取引に参入するための正確なシグナルを提供します。 外国為替、暗号通貨、金属、株式、インデックスなど、あらゆる金融資産に適用できます。かなり正確な見積もりを提供し、取引を開始して終了するのに最適な時期を教えてくれます。1つのシグナルを処理しただけでインジケーターの元が取れた例の 動画 (6:22)をご覧ください。Entry PointsPro インジケーターの助けを借りたほとんどのトレーダーの最初の1週間の結果が改善しています。 Telegramグループ に登録してください。Entry Points Proインジケーターのメリットは次の通りです。 再描画のないエントリーシグナル 再描画されるインジケーターでは一度表示されたシグナルが削除されて大きな金銭的損失につながることがありますが、これと異なり、表示されて確認されたシグナルは消えることがありません。 エラーなしの取引開始 インジケーターアルゴリズムによって取引を開始する(資産を売買する)理想的な瞬間を見つけることができます。それを使用するすべてのトレーダーの成功率が向上します。 あら
発見が困難で頻度が少ないため、分岐は最も信頼できる取引シナリオの1つです。このインジケーターは、お気に入りのオシレーターを使用して、通常の隠れた分岐点を自動的に見つけてスキャンします。 [ インストールガイド | 更新ガイド | トラブルシューティング | よくある質問 | すべての製品 ] 取引が簡単 通常の隠れた発散を見つけます 多くのよく知られている発振器をサポート ブレイクアウトに基づいて取引シグナルを実装します 適切なストップロスおよび利益レベルを表示します 設定可能なオシレーターパラメーター カスタマイズ可能な色とサイズ バー単位でサイズ別に分岐をフィルタリング パフォーマンス統計を実装します 電子メール/音声/視覚アラートを実装します 幅広い市場の見通しを提供するために、異なるオシレーターを使用して、干渉なしで同じチャートにインジケーターを何度もロードできます。このインジケーターは、次のオシレーターをサポートしています。 RSI CCI MACD オスマ 確率的 勢い 素晴らしい発振器 加速器発振器 ウィリアムズパーセントレンジ 相対活力指数 特に外国為替市場では、
Master Editionは、ボリュームとマネーフローの視点を通じて市場構造を可視化するために設計されたプロフェッショナルグレードの分析ツールです。標準のボリュームインジケーターとは異なり、このツールはチャート上に日足ボリュームプロファイルを直接表示し、価格発見がどこで行われたか、そして「スマートマネー」がどこに位置しているかを正確に確認できます。 このMaster Editionは、明確さとスピードを考慮して設計されており、ロード時にチャートレイアウトを即座に美化するユニークな自動テーマ同期システムを備えています。 主な機能: 真のマネーフロー計算: 標準のティックボリュームを超えます。「Use Money Flow」を有効にすると、ボリュームは価格によって重み付けされ、特定の価格レベルでの実際の資本コミットメントが明らかになります。 バリューエリア (VA) の可視化: バリューエリア(デフォルトではボリュームの70%)を自動的に計算します。 VA Fill: コントロールゾーンを即座に識別するために、バリューエリアの背景をシェーディングします。 主要レベル: コントロールポイン
トレンドトレーディング は、タイミングのプルバックとブレイクアウトにより、市場で起こっているトレンドから可能な限り利益を得るように設計された指標です。確立されたトレンドの中で価格が何をしているかを分析することにより、取引の機会を見つけます。 [ インストールガイド | 更新ガイド | トラブルシューティング | よくある質問 | すべての製品 ] 自信を持って効率的に金融市場を取引する むち打ちにならずに確立されたトレンドから利益を得る 収益性の高いプルバック、ブレイクアウト、早期の逆転を認識する この指標は、独自の品質とパフォーマンスを分析します 複数時間枠のダッシュボードを実装します インジケーターは再描画されていません 電子メール/音声/視覚アラートを実装します 確立されたトレンドは多くの取引機会を提供しますが、ほとんどのトレンド指標はそれらを完全に無視しています。インジケーターの解釈はかなり簡単です: (1) トレンドの変化 (2) トレンドの方向への後退 (3) トレンドの方向へのブレイクアウト 赤いダッシュ は下降トレンド中の修正です 青いダッシュ は上昇トレンド中
Current event:  https://c.mql5.com/1/326/A2SR2025_NoMusic.gif MT5向けA2SR インジケーター:自動実需給(S/R)。 + 取引商品。 Product description in English here. --   Guidance   : -- at   https://www.mql5.com/en/blogs/post/734748/page4#comment_16532516 -- and  https://www.mql5.com/en/users/yohana/blog 強力で信頼性が高く、時間を節約。よりスマートな取引判断を実現。 + EA互換オブジェクト。 主な利点 先行する実SRレベル(遅延やリペイントなし) 2014年以来、MT4で長年にわたり信頼性が実証されてきたA2SRが 、MetaTrader 5でも利用可能になりました。 価格がサポートレベルとレジスタンスレベルに到達する前に、実際のサポートレベルとレジスタンスレベルを特定できる、リペイントなしの先行インジケーターにより、トレー
トレンドラインプロ   市場の真の方向転換点を理解するのに役立ちます。この指標は、真のトレンド反転と主要プレーヤーが再び参入するポイントを示します。 分かりますか     BOSライン   複雑な設定や不要なノイズなしに、より長い時間足でのトレンドの変化と重要なレベルを把握できます。シグナルは再描画されず、バーが閉じた後もチャート上に残ります。 MT4バージョン   -   RFI LEVELS PRO インジケーター と組み合わせることで、その最大限の能力を発揮します インジケーターが示す内容: 本当の変化   トレンド(BOSライン) 一度シグナルが現れたら、それは有効です!これは、リペイント機能を持つインジケーターとの重要な違いです。リペイント機能を持つインジケーターは、シグナルを発した後、それを変更し、資金の損失につながる可能性があります。これにより、より高い確率と精度で市場に参入できます。また、矢印が現れた後、目標値(利益確定)に達するか、反転シグナルが現れるまで、ローソク足の色を変更する機能もあります。 繰り返しエントリ   主要プレーヤーの補充 エントリーポイントを探す
Gartley Hunter Multi - An indicator for searching for harmonic patterns simultaneously on dozens of trading instruments and on all possible timeframes. Manual (Be sure to read before purchasing) | Version for MT4 Advantages 1. Patterns: Gartley, Butterfly, Shark, Crab. Bat, Alternate Bat, Deep Crab, Cypher 2. Simultaneous search for patterns on dozens of trading instruments and on all possible timeframes 3. Search for patterns of all possible sizes. From the smallest to the largest 4. All fou
Easy SMC Trading
Israr Hussain Shah
4 (1)
自動RR&BOSスキャナー搭載ストラクチャートレンド バージョン: 1.0 概要 自動RRスキャナー搭載ストラクチャートレンドは、プライスアクションとマーケットストラクチャーを重視するトレーダー向けに設計された包括的なトレーディングシステムです。平滑化されたトレンドフィルターとスイングポイント検出、そしてストラクチャーブレイク(BOS)シグナルを組み合わせ、高確率のトレードセットアップを生成します。 このツールの最大の特徴は、自動リスク管理です。有効なストラクチャーブレイクを検出すると、インジケーターはリスク/リワードゾーン(1:1、1:2、1:3)を瞬時に計算・描画し、価格が目標値に到達すると自動的にトレードの視覚化を管理します。これにより、手動で描画ツールを使用する必要がなくなり、トレーダーは執行のみに集中できます。 主な機能 ダイナミック・ストラクチャーブレイク(BOS)検出 スイングハイ(HH/LH)とスイングロー(HL/LL)を自動的に識別します。 価格が主要なストラクチャーレベルをブレイクすると、チャート上にBOSラインを直接描画し、トレンドの方向を確認します。
まず第一に、この取引ツールはノンリペイント、ノンリドロー、ノンラグの指標であり、プロの取引に理想的ですことを強調する価値があります。 オンラインコース、ユーザーマニュアル、デモ。 スマートプライスアクションコンセプトインジケーターは、新米から経験豊富なトレーダーまで、非常 に強力なツールです。Inner Circle Trader AnalysisやSmart Money Concepts Trading Strategiesなど、20以上の有用な指標を1つに組み合わせています。このインジケーターはスマートマネーコンセプトに焦点を当て、大手機関の取引方法を提供し、彼らの動きを予測するのに役立ちます。 特に、流動性分析に優れており、機関がどのように取引しているかを理解しやすくしています。市場のトレンドを予測し、価格の動きを慎重に分析するのに優れています。機関の戦略とトレードを合わせることで、市場の動向についてより正確な予測ができます。このインジケーターは多目的であり、市場構造を分析し、重要な注文ブロックを特定し、さまざまなパターンを認識するのに優れています。 このインジケーター
Order Block Pro (MQL5) – バージョン 1.0 作成者: KOUAME N'DA LEMISSA プラットフォーム: MetaTrader 5 説明: Order Block Pro は、チャート上の**強気および弱気のオーダーブロック(Order Blocks)**を自動で検出する高度なインジケーターです。小さな保ち合いローソク足と、その後の強いインパルスローソク足を分析することで、価格が加速する可能性のある重要なゾーンを特定します。 トレーダーに最適: 正確なエントリーとエグジットポイントを特定したい方。 動的なサポートおよびレジスタンスゾーンを把握したい方。 リスク管理と取引戦略を向上させたい方。 主な機能: 強気OB検出: 保ち合いローソク足の後、強い上昇が発生した場合、緑色の矢印で表示。 弱気OB検出: 保ち合いローソク足の後、強い下落が発生した場合、赤色の矢印で表示。 完全にカスタマイズ可能: 保ち合いローソク足の最大実体比率 ( BodyMaxRatio ) 次のローソク足の最小比率で動きを確認 ( NextCandleMinPct ) チャー
スイングトレーディング は、トレンドの方向のスイングと可能な反転スイングを検出するように設計された最初のインジケーターです。トレーディングの文献で広く説明されているベースラインスイングトレーディングアプローチを使用します。インディケータは、いくつかの価格と時間のベクトルを調査して、全体的なトレンドの方向を追跡し、市場が売られ過ぎまたは買われ過ぎて修正の準備ができている状況を検出します。 [ インストールガイド | 更新ガイド | トラブルシューティング | よくある質問 | すべての製品 ] むち打ちを起こさずに市場スイングの利益 インジケーターは常にトレンドの方向を表示します 色付きの価格帯は機会のベースラインを表します 色付きのダッシュは、可能な反転スイングを表します この指標は、独自の品質とパフォーマンスを分析します 複数時間枠のダッシュボードを実装します カスタマイズ可能なトレンドおよびスイング期間 電子メール/サウンド/プッシュアラートを実装します インジケータは再描画またはバックペインティングではありません Swing Tradingとは Swing Tradingは
作者のその他のプロダクト
Volatility Regime ZScore Indicator Volatility Regime ZScore is a professional volatility–regime indicator designed to  classify the market into volatility regimes : low risk (calm market), normal conditions, high risk (unstable / news / breakout environments). This indicator answers a very specific question: “Is the market currently calm, normal, or unusually risky?” It does NOT predict price direction, trends, or entry points by itself. Instead, it acts as a risk and regime filter , not signa
フィルタ:
レビューなし
レビューに返信