Skip to content

Tester

StrategyTester

The "engine" that drives the entire backtesting process, simulating the MetaTrader5 environment and allowing you to test your trading strategies against historical data. The main method is run(), which takes a callback function that contains your strategy logic and executes it on each tick or bar, depending on the modelling mode you choose.

Similar to the MetaTrader5 strategy tester

Source code in strategytester5\tester.py
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
class StrategyTester:
    """
        The "engine" that drives the entire backtesting process, simulating the MetaTrader5 environment and allowing you to test your trading strategies against historical data. The main method is `run()`, which takes a callback function that contains your strategy logic and executes it on each tick or bar, depending on the modelling mode you choose.

        > Similar to the MetaTrader5 strategy tester
    """

    def __init__(self,
                 tester_config: dict,
                 mt5_instance: Any,
                 logging_level: int = logging.WARNING,
                 logs_dir: Optional[str] = "Logs",
                 reports_dir: Optional[str] = "Reports",
                 history_dir: Optional[str] = "History",
                 trading_history_dir: Optional[str] = "TradingHistory",
                 polars_collect_engine: Literal["auto", "in-memory", "streaming", "gpu"] = "auto"):

        """Instantiates the StrategyTester with the given configuration, sets up the simulated MetaTrader5 environment, and prepares for running the backtest.

        Args:
            tester_config (dict): Dictionary of tester configuration values.

            mt5_instance (MetaTrader5): MetaTrader5 API/client instance used for obtaining crucial information from the broker as an attempt to mimic the terminal.

            logging_level: Minimum severity of messages to record. Uses standard `logging` levels (e.g., logging.DEBUG, INFO, WARNING, ERROR, CRITICAL). Messages below this level are ignored.

            logs_dir (str): Directory for log files.
            reports_dir (str): Directory for HTML reports and assets.
            history_dir (str): Directory for historical data storage.
            trading_history_dir (str | optional) A directory to keep trading history.

            polars_collect_engine (str): Engine used by Polars when collecting historical data in functions for obtaining ticks — copy_ticks*, and bars information/rates (copy_rates*). Supported values are:
                - ``"auto"`` (default): Use Polars’ standard in-memory engine and
                    respect the ``POLARS_ENGINE_AFFINITY`` environment variable if set.
                - ``"in-memory"``: Explicitly use the default in-memory engine,
                    optimized with multi-threading and SIMD over Arrow data.
                - ``"streaming"``: Process queries in batches, enabling
                    larger-than-RAM datasets.
                - ``"gpu"``: Use NVIDIA GPUs via RAPIDS cuDF for accelerated execution.
                    Requires installing Polars with GPU support, e.g.:
                    ``pip install polars[gpu] --extra-index-url=https://pypi.nvidia.com``.
        Raises:
            RuntimeError: If required MT5 account info cannot be obtained.
        """

        self.reports_dir = reports_dir
        self.history_dir = history_dir
        self.polars_collect_engine = polars_collect_engine
        self.trading_history_dir = trading_history_dir

        # ---------------- validate all configs from a dictionary -----------------

        self.tester_config = TesterConfigValidators.parse_tester_configs(tester_config)

        # -------------------- initialize the Loggers ----------------------------

        self.ea_name = self.tester_config["bot_name"]
        os.makedirs(logs_dir, exist_ok=True)

        self.logger = get_logger(task_name=self.ea_name, logfile=os.path.join(logs_dir, f"{LOG_DATE}.log"),
                                 level=logging_level, time_provider=self._get_sim_time)

        self.live_mt5_instance = mt5_instance
        if self.live_mt5_instance is None:
            raise RuntimeError(
                "Fatal, A live MetaTrader5 Instance isn't given. If you haven't installed it (WINDOWS-ONLY) run `pip install metatrader5`")

        self.broker_data_dir = self.live_mt5_instance.account_info().server
        self.simulated_mt5 = OverLoadedMetaTrader5API(logger=self.logger,
                                                      broker_data_path=self.broker_data_dir,
                                                      polars_collect_engine=polars_collect_engine,
                                                      live_mt5=self.live_mt5_instance)

        start_dt = self.tester_config.get("start_date", 0)
        start_dt_ts = start_dt.timestamp() if isinstance(start_dt, datetime) else start_dt

        self.simulated_mt5._current_time = start_dt_ts
        self.simulated_mt5._current_time_msc = start_dt_ts * 1000
        self.logger.info("Initialized")
        deposit = self.tester_config["deposit"]

        self.simulated_mt5.ACCOUNT = self.simulated_mt5.ACCOUNT._replace(
            # ---- identity / broker-controlled ----
            login=11223344,
            trade_mode=self.simulated_mt5.ACCOUNT.trade_mode,
            leverage=int(self.tester_config["leverage"]),

            # ---- simulator-controlled financials ----
            balance=deposit,  # simulator starting balance
            credit=0,
            profit=0.0,
            equity=deposit,
            margin=0.0,
            margin_free=deposit,
            margin_level=np.inf,

            # ---- descriptive ----
            name="John Doe",
            server="MetaTrader5-Simulator",
        )

        self.logger.debug(f"Simulated account info: {self.simulated_mt5.ACCOUNT}")

        self.positions_unrealized_pl = 0
        self.positions_total_margin = 0

        # -------------------- tester reports ----------------------------

        self.tester_curves = {
            "time": np.array([]),
            "balance": np.array([]),
            "equity": np.array([]),
            "margin_level": np.array([])
        }

        self.TESTER_IDX = 0
        self.CURVES_IDX = 0
        self.IS_STOPPED = False
        # self._engine_lock = threading.RLock()   # re-entrant lock (safe if functions call other locked functions)

        self.report_stats = None

        # ---------------------- others ------------------------------

        self.last_tick_time: int = 0

    @staticmethod
    def _find_mt5_executable(installation_path: str) -> tuple[str, str]:
        """
        Scan a folder and return the MT5 terminal executable (first one containing 'terminal').
        """
        for entry in os.scandir(installation_path):
            if entry.is_file() and entry.name.lower().endswith(".exe"):
                if "terminal" in entry.name.lower():
                    return entry.name, entry.path

        raise FileNotFoundError(f"No MT5 terminal executable found in {installation_path}")

    def _get_sim_time(self):
        if self.simulated_mt5 is None:
            return datetime.now(tz=timezone.utc)  # fallback during init

        t = self.simulated_mt5.current_time_msc()
        if t is None:
            return datetime.now(tz=timezone.utc)

        return datetime.fromtimestamp(t / 1000, tz=timezone.utc)

    def _positions_monitoring(self):
        """
        Monitors all open positions and updates the account:
        - updates profit
        - checks SL / TP
        - closes positions when hit
        """

        positions_found = self.simulated_mt5.positions_total()

        self.positions_total_margin = 0
        self.positions_unrealized_pl = 0

        for i in range(positions_found - 1, -1, -1):

            pos = self.simulated_mt5.POSITIONS[i]
            tick = self.simulated_mt5.symbol_info_tick(pos.symbol)

            # --- Determine close price and opposite order type ---
            if pos.type == self.simulated_mt5.POSITION_TYPE_BUY:
                price = tick.bid
                close_type = self.simulated_mt5.ORDER_TYPE_SELL
            elif pos.type == self.simulated_mt5.POSITION_TYPE_SELL:
                price = tick.ask
                close_type = self.simulated_mt5.ORDER_TYPE_BUY
            else:
                self.logger.warning("Unknown position type")
                continue

            # --- Update floating profit ---

            profit = self.simulated_mt5.order_calc_profit(
                order_type=pos.type,
                symbol=pos.symbol,
                volume=pos.volume,
                price_open=pos.price_open,
                price_close=price
            )

            self.positions_unrealized_pl += profit
            self.positions_total_margin += pos.margin

            # --- Check SL / TP ---
            hit_tp = False
            hit_sl = False

            if pos.tp > 0:
                hit_tp = (
                    price >= pos.tp if pos.type == self.simulated_mt5.POSITION_TYPE_BUY
                    else price <= pos.tp
                )

            if pos.sl > 0:
                hit_sl = (
                    price <= pos.sl if pos.type == self.simulated_mt5.POSITION_TYPE_BUY
                    else price >= pos.sl
                )

            pos = pos._replace(
                profit=profit,
                price_current=price,
                time_update=tick.time,
                time_update_msc=tick.time_msc
            )

            # MUST write it back
            self.simulated_mt5.POSITIONS[i] = pos

            if not (hit_tp or hit_sl):
                continue

            # --- Close position ---
            request = {
                "action": self.simulated_mt5.TRADE_ACTION_DEAL,
                "type": close_type,
                "symbol": pos.symbol,
                "price": price,
                "volume": pos.volume,
                "position": pos.ticket,
                "comment": "TP hit" if hit_tp else "SL hit",
            }

            self.simulated_mt5.order_send(request)

    def _account_monitoring(self, pos_must_exist: bool = True):

        # ------- monitor the account only if there is at least one position ------

        if (len(self.simulated_mt5.POSITIONS) > 0) if pos_must_exist else True:
            new_equity = self.simulated_mt5.ACCOUNT.balance + self.positions_unrealized_pl
            self.simulated_mt5.ACCOUNT = self.simulated_mt5.ACCOUNT._replace(
                profit=self.positions_unrealized_pl,
                equity=new_equity,
                margin=self.positions_total_margin,
                margin_free=new_equity - self.positions_total_margin,
                margin_level=new_equity / self.positions_total_margin * 100 if self.positions_total_margin > 0 else np.inf
            )

        # ---------- evaluate the margin ---------------------

        margin_evaluation = evaluate_margin_state(self.simulated_mt5.ACCOUNT)
        if margin_evaluation.state == "STOP_OUT":
            self.logger.critical("Account Margin STOPOUT Triggered!")
            self.logger.debug(margin_evaluation)
            # self.logger.debug(f"balance {self.simulated_mt5.ACCOUNT.balance}, equity: {self.simulated_mt5.ACCOUNT.equity}, margin: {self.simulated_mt5.ACCOUNT.margin}, margin level: {self.simulated_mt5.ACCOUNT.margin_level}")
            self.IS_STOPPED = True

        """
        if margin_evaluation.state == "MARGIN_CALL":
            self.logger.critical("Account Margin CALL Triggered!")
            self.logger.debug(margin_evaluation)
            # self.logger.debug(f"balance {self.simulated_mt5.ACCOUNT.balance}, equity: {self.simulated_mt5.ACCOUNT.equity}, margin: {self.simulated_mt5.ACCOUNT.margin}, margin level: {self.simulated_mt5.ACCOUNT.margin_level}")
            self.IS_STOPPED = True
        """

    def _pending_orders_monitoring(self):

        """
        Monitors pending orders:
        - handles expiration
        - triggers STOP / LIMIT orders correctly
        - converts them into market positions
        """

        for i in reversed(range(len(self.simulated_mt5.ORDERS))):

            order = self.simulated_mt5.ORDERS[i]

            symbol = order.symbol
            tick = self.simulated_mt5.symbol_info_tick(symbol)

            ask = tick.ask
            bid = tick.bid

            # ---------------- UPDATE price_current ----------------

            if order.type in self.simulated_mt5.BUY_ACTIONS:
                new_price_current = ask
                final_pos_type = self.simulated_mt5.POSITION_TYPE_BUY
            else:
                new_price_current = bid
                final_pos_type = self.simulated_mt5.POSITION_TYPE_SELL

            updated_order = order._replace(price_current=new_price_current)  # price mod ASAP
            self.simulated_mt5.ORDERS[i] = updated_order

            order = updated_order

            # --- Expiration handling ---

            expiration_time = order.time_expiration
            if expiration_time and self.simulated_mt5.current_time >= expiration_time:
                request = {
                    "action": self.simulated_mt5.TRADE_ACTION_REMOVE,
                    "order": order.ticket,
                    "symbol": symbol,
                    "magic": order.magic
                }

                self.simulated_mt5.order_send(request)
                self.simulated_mt5.ORDERS.pop(i)  # safely remove a pending order that expired
                self.logger.debug(f"Pending order #{order.ticket} expired!")
                continue

            triggered = False

            order_type = order.type
            order_price = order.price_open

            # -------- BUY ORDERS --------
            if order_type == self.simulated_mt5.ORDER_TYPE_BUY_LIMIT:
                if new_price_current <= order_price:
                    triggered = True

            elif order_type == self.simulated_mt5.ORDER_TYPE_BUY_STOP:
                if new_price_current >= order_price:
                    triggered = True

            # -------- SELL ORDERS --------
            elif order_type == self.simulated_mt5.ORDER_TYPE_SELL_LIMIT:
                if new_price_current >= order_price:
                    triggered = True

            elif order_type == self.simulated_mt5.ORDER_TYPE_SELL_STOP:
                if new_price_current <= order_price:
                    triggered = True

            if not triggered:
                continue

            sl_diff = abs(order.sl - order.price_open)
            tp_diff = abs(order.tp - order.price_open)

            if order.type in self.simulated_mt5.BUY_ACTIONS:
                pos_price = new_price_current
                new_sl = pos_price - sl_diff
                new_tp = pos_price + tp_diff
            else:
                pos_price = new_price_current
                new_sl = pos_price + sl_diff
                new_tp = pos_price - tp_diff

            # ----- Execute pending order -----
            request = {
                "action": self.simulated_mt5.TRADE_ACTION_DEAL,
                "symbol": symbol,
                "type": final_pos_type,
                "price": pos_price,
                "sl": new_sl,
                "tp": new_tp,
                "volume": order.volume_current,
                "magic": order.magic,
                "comment": order.comment,
                "order": order.ticket,  # an additional field to use for tracking history of this order
            }

            self.simulated_mt5.order_send(request)
            self.logger.debug(f"Pending order #{order.ticket} triggered into a position!")
            self.simulated_mt5.ORDERS.pop(i)  # safely remove a pending order that becomes a position | TRIGGERED

    def _monitor_mt5(self, time: int):

        # Monitor trading operations

        if self.simulated_mt5.positions_total() > 0:
            self._positions_monitoring()

        if self.simulated_mt5.orders_total() > 0:
            self._pending_orders_monitoring()

        if self.simulated_mt5.orders_total() > 0 or self.simulated_mt5.positions_total() > 0:
            self._account_monitoring()

        # record curves

        if self.simulated_mt5.positions_total() > 0:  # update the curves only if there is atleast one position
            # update curves according to a timeframe

            tf_str = self.tester_config.get("timeframe", "M1")
            tf_int = self.simulated_mt5.STRING2TIMEFRAME_MAP[tf_str]

            if time % PeriodSeconds(tf_int) == 0:
                self._record_curve_point()

    def run_tick_simulation(
            self,
            df: pl.DataFrame,
            symbols: list[str],
            on_tick_function,
    ):
        """
        This function Drives the strategy tester using grouped tick events.

        Args:
            df (pl.DataFrame): A Polars DataFrame containing tick data, with columns for time, symbol_id, bid, ask, etc.
            symbols (list[str]): A list mapping symbol_id to actual symbol names.
            on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.
        """

        total_rows = df.height
        processed = 0

        grouped = df.group_by("time_msc", maintain_order=True)
        with tqdm(total=total_rows, desc="StrategyTester Progress", unit="tick") as pbar:

            for _, rows in grouped:
                n = rows.height

                # process all ticks at this timestamp
                for row in rows.iter_rows(named=True):
                    symbol = symbols[row["symbol_id"]]
                    self.simulated_mt5.tick_update(symbol, row)

                t = row["time"]
                self._monitor_mt5(time=t)

                # update progress AFTER processing group
                processed += n
                self.TESTER_IDX += 1  # increment tester progress

                pbar.update(n)

                # call strategy AFTER all symbols updated
                on_tick_function()

    def run_bar_simulation(
            self,
            df: pl.DataFrame,
            symbols: list[str],
            on_tick_function,
    ):

        """
        This function Drives the strategy tester using grouped bars.

        Args:
            df (pl.DataFrame): A Polars DataFrame containing bars data, with columns for time, open, high, low, close, etc.
            symbols (list[str]): A list mapping symbol_id to actual symbol names.
            on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.
        """

        total_rows = df.height
        processed = 0

        grouped = df.group_by("time", maintain_order=True)
        with tqdm(total=total_rows, desc="StrategyTester Progress", unit="bar") as pbar:

            for _, rows in grouped:
                n = rows.height

                # process all ticks at this timestamp
                for row in rows.iter_rows(named=True):
                    symbol = symbols[row["symbol_id"]]
                    point = self.simulated_mt5.symbol_info(symbol).point
                    t = row["time"]

                    tick = Tick(
                        time=t,
                        bid=row["close"],
                        ask=row["close"] + row["spread"] * point,
                        last=0,
                        volume=row["tick_volume"],
                        time_msc=row["time"] * 1000,
                        flags=-1,
                        volume_real=0
                    )

                    self.simulated_mt5.tick_update(symbol, tick)

                self._monitor_mt5(time=t)

                # update progress AFTER processing group
                processed += n
                self.TESTER_IDX += 1  # increment tester progress

                pbar.update(n)

                # call strategy AFTER all symbols updated
                on_tick_function()

    def run(self, on_tick_function: Any) -> stats.TesterStats:

        """Main function to run the strategy tester simulation. It initializes the tester, processes historical data according to the specified modelling mode, and generates a report at the end.

        Args:
            on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.

        Returns:
            TesterStats: An object containing various statistics computed from the tester results, including trade performance metrics, drawdowns, and more. This is the same stats object that is used to generate the final HTML report.
        """

        start_date = self.tester_config["start_date"]
        end_date = self.tester_config["end_date"]
        symbols = self.tester_config["symbols"]
        modelling = self.tester_config["modelling"]
        timeframe = self.tester_config["timeframe"]

        sync = (self.live_mt5_instance is not None)

        history_manager = HistoryManager(
            mt5_instance=self.live_mt5_instance,
            logger=self.logger,
            broker_data_path=self.broker_data_dir
        )

        # optional: keep this if you want auto-sync
        history_manager.synchronize_all_timeframes(
            symbols, start_date, end_date
        )

        if modelling == 4:
            # build tick stream
            df = history_manager.build_tick_stream(
                symbols,
                start_date,
                end_date,
                sync,
                self.polars_collect_engine
            )

            self._tester_init(size=df.height)  # initialize the tester

            # run simulation
            self.run_tick_simulation(
                df,
                symbols,
                on_tick_function,
            )

        elif modelling in (2, 1):

            df = history_manager.build_bar_stream(
                symbols,
                self.simulated_mt5.STRING2TIMEFRAME_MAP["M1"] if modelling == 1 else
                self.simulated_mt5.STRING2TIMEFRAME_MAP[timeframe],
                start_date,
                end_date,
                sync,
                self.polars_collect_engine
            )

            self._tester_init(size=df.height)  # initialize the tester

            # run bar simulation
            self.run_bar_simulation(
                df,
                symbols,
                on_tick_function,
            )

        self._tester_deinit()
        return self.report_stats

    def _record_curve_point(self):

        idx = self.CURVES_IDX

        if idx >= len(self.tester_curves["time"]):
            return  # safety guard

        acct = self.simulated_mt5.ACCOUNT

        self.tester_curves["time"][idx] = self.simulated_mt5.current_time()
        self.tester_curves["balance"][idx] = acct.balance
        self.tester_curves["equity"][idx] = acct.equity
        self.tester_curves["margin_level"][idx] = acct.margin_level

        self.CURVES_IDX += 1

    def _make_balance_deal(self, time: datetime) -> TradeDeal:

        time_sec = int(time.timestamp())
        time_msc = int(time.timestamp() * 1000)

        return TradeDeal(
            ticket=self.simulated_mt5._generate_deal_ticket(),
            order=0,
            time=time_sec,
            time_msc=time_msc,
            type=self.simulated_mt5.DEAL_TYPE_BALANCE,
            entry=self.simulated_mt5.DEAL_ENTRY_IN,
            magic=0,
            position_id=0,
            reason=np.nan,
            volume=np.nan,
            price=np.nan,
            commission=0.0,
            swap=0.0,
            profit=0.0,
            fee=0.0,
            symbol="",
            balance=self.simulated_mt5.ACCOUNT.balance,
            comment="",
            external_id=""
        )

    def _tester_init(self, size: int):

        self.TESTER_IDX = 0

        self.tester_curves = {
            "time": np.empty(size, dtype=np.int64),
            "balance": np.empty(size, dtype=np.float64),
            "equity": np.empty(size, dtype=np.float64),
            "margin_level": np.empty(size, dtype=np.float64),
        }

        self.simulated_mt5.DEALS.append(
            self._make_balance_deal(time=self.tester_config["start_date"])
        )

    def _tester_deinit(self):

        # terminate all open positions
        self.simulated_mt5._terminate_all_positions(comment="End of test")

        # Build final curves (base pre-allocated slice + 1 extra point)

        n = int(self.CURVES_IDX)

        if n > 0:
            self.tester_curves["balance"][n - 1] = self.simulated_mt5.ACCOUNT.balance
            self.tester_curves["equity"][n - 1] = self.simulated_mt5.ACCOUNT.balance
            self.tester_curves["margin_level"][n - 1] = self.simulated_mt5.ACCOUNT.margin_level

        # generate a report at the end

        os.makedirs(self.reports_dir, exist_ok=True)
        self._gen_tester_report(
            output_file=os.path.join(self.reports_dir, f"{self.tester_config['bot_name']}-report.html"))

        self._save_trading_history(self.trading_history_dir)

    def _plot_tester_curves_plotly(self) -> str | None:

        curves = self.tester_curves
        n = int(self.CURVES_IDX)

        if n <= 0:
            return None

        t = curves["time"][:n]
        bal = curves["balance"][:n]
        eq = curves["equity"][:n]

        order = np.argsort(t)
        t = t[order]
        bal = bal[order]
        eq = eq[order]

        times = [datetime.fromtimestamp(x, tz=timezone.utc) for x in t]

        fig = go.Figure()

        # ---- RAW curves (hidden by default) ----
        fig.add_trace(go.Scatter(
            x=times, y=bal,
            mode="lines",
            name="Balance (raw)",
            visible="legendonly",
            hovertemplate="Time: %{x}<br>Balance: %{y:.2f}<extra></extra>",
        ))

        fig.add_trace(go.Scatter(
            x=times, y=eq,
            mode="lines",
            name="Equity (raw)",
            visible="legendonly",
            hovertemplate="Time: %{x}<br>Equity: %{y:.2f}<extra></extra>",
        ))

        # ---- SMOOTHED curves (visible by default) ----
        fig.add_trace(go.Scatter(
            x=times,
            y=pd.Series(bal).rolling(window=20).mean(),
            mode="lines",
            name="Balance (smoothed)",
            hovertemplate="Time: %{x}<br>Balance: %{y:.2f}<extra></extra>",
        ))

        fig.add_trace(go.Scatter(
            x=times,
            y=pd.Series(eq).rolling(window=50).mean(),
            mode="lines",
            name="Equity (smoothed)",
            hovertemplate="Time: %{x}<br>Equity: %{y:.2f}<extra></extra>",
        ))

        fig.update_layout(
            xaxis_title="Time (UTC)",
            yaxis_title="Account Value",
            hovermode="x unified",
            legend=dict(
                title="Click to toggle",
                orientation="h",
                yanchor="bottom",
                y=1.02,
                xanchor="left",
                x=0
            ),
            margin=dict(l=40, r=20, t=40, b=40),
        )

        return fig.to_html(
            full_html=False,
            # include_plotlyjs="cdn",
            config={"responsive": True}
        )

    def _gen_tester_report(self, output_file="StrategyTester report.html"):

        curve_block_html = ""  # <-- what we inject into {{CURVE_IMAGE}}
        try:
            curve_block_html = self._plot_tester_curves_plotly() or ""
        except Exception as e:
            self.logger.warning(f"Failed to generate interactive curve (plotly): {e!r}")

        # ---- Render report ----
        base_template = templates.html_report_template()

        curves = self.tester_curves
        n = int(self.CURVES_IDX)

        if n <= 0:
            return None

        # t = curves["time"][:n]
        bal = curves["balance"][:n]
        eq = curves["equity"][:n]
        margin_level = curves["margin_level"][:n]

        self.report_stats = \
            stats.TesterStats(
                deals=self.simulated_mt5.DEALS,
                initial_deposit=self.tester_config.get("deposit"),
                symbols=len(self.tester_config.get("symbols")),
                balance_curve=bal,
                equity_curve=eq,
                margin_level_curve=margin_level,
                ticks=self.TESTER_IDX,
            )

        stats_table = templates.render_stats_table(stats=self.report_stats)

        order_rows_html = templates.render_order_rows(self.simulated_mt5.ORDERS_HISTORY)
        deal_rows_html = templates.render_deal_rows(self.simulated_mt5.DEALS)

        deals_df = pd.DataFrame(self.simulated_mt5.DEALS)

        positions_stats_html = ""
        if not deals_df.empty:
            deals_df["time"] = pd.to_datetime(deals_df["time"], unit="s", errors="coerce")
            positions_stats_html = self._entries_and_pl_plotly(deals_df)

        orders_df = pd.DataFrame(self.simulated_mt5.ORDERS_HISTORY)

        holding_dashboard_html = ""
        if not orders_df.empty:
            holding_dashboard_html = StrategyTester._holding_time_dashboard_figure(orders_df=orders_df)

        html = (
            base_template
            .replace("{{STATS_TABLE}}", stats_table)
            .replace("{{ORDER_ROWS}}", order_rows_html)
            .replace("{{DEAL_ROWS}}", deal_rows_html)
            .replace("{{CURVE_IMAGE}}", curve_block_html)
            .replace("{{POSITION_STATS_IMAGE}}", positions_stats_html)
            .replace("{{POS_HOLDING_DASHBOARD}}", holding_dashboard_html)
        )

        with open(output_file, "w", encoding="utf-8") as f:
            f.write(html)

        self.logger.info(f"Strategy tester report saved at: {output_file}")

    def _save_trading_history(self, path: str):

        # save the trading history
        hist_dir = Path(path)
        hist_dir.mkdir(parents=True, exist_ok=True)

        orders_hist = self.simulated_mt5.ORDERS_HISTORY
        deals_hist = self.simulated_mt5.DEALS

        try:
            orders_csv = hist_dir / "orders.csv"
            pd.DataFrame(orders_hist).to_csv(orders_csv, index=False)

            deals_csv = hist_dir / "deals.csv"
            pd.DataFrame(deals_hist).to_csv(deals_csv, index=False)

        except Exception as e:
            self.logger.warning(f"Failed to save trading history: {e!r}")

    @staticmethod
    def _entries_and_pl_plotly(deals_df: pd.DataFrame):

        weekday_order = ["Mon", "Tue", "Wed", "Thu", "Fri", "Sat", "Sun"]
        month_order = ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"]

        # ------ calculators -------

        entries = stats.EntriesCalculator(deals_df)
        profit_loss = stats.PLCalculator(deals_df)

        entries_hour = entries.by_hour()
        entries_wd = entries.by_weekday()
        entries_mon = entries.by_month().reindex(range(1, 13), fill_value=0)

        entries_wd.index = weekday_order
        entries_mon.index = month_order

        p_hour, l_hour = profit_loss.profit_by_hour(), profit_loss.loss_by_hour()
        p_wd, l_wd = profit_loss.profit_by_weekday(), profit_loss.loss_by_weekday()
        p_mon, l_mon = profit_loss.profit_by_month(), profit_loss.loss_by_month()

        p_wd.index = weekday_order
        l_wd.index = weekday_order
        p_mon.index = month_order
        l_mon.index = month_order

        # ---- plot ----
        fig = make_subplots(
            rows=2, cols=3,
            subplot_titles=(
                "Entries by hours",
                "Entries by weekdays",
                "Entries by months",
                "Profit & loss by hours",
                "Profit & loss by weekdays",
                "Profit & loss by months"
            )
        )

        # Row 1: Entries
        fig.add_trace(go.Bar(x=list(entries_hour.index), y=entries_hour.values, name="Entries"),
                      row=1, col=1)

        fig.add_trace(go.Bar(x=list(entries_wd.index), y=entries_wd.values, name="Entries", showlegend=False),
                      row=1, col=2)

        fig.add_trace(go.Bar(x=list(entries_mon.index), y=entries_mon.values, name="Entries", showlegend=False),
                      row=1, col=3)

        # Row 2: Profit & Loss (side-by-side like matplotlib version)
        fig.add_trace(go.Bar(x=[str(i) for i in range(24)], y=p_hour.values, name="Profit"),
                      row=2, col=1)
        fig.add_trace(go.Bar(x=[str(i) for i in range(24)], y=l_hour.values, name="Loss"),
                      row=2, col=1)

        fig.add_trace(go.Bar(x=weekday_order, y=p_wd.values, name="Profit", showlegend=False),
                      row=2, col=2)
        fig.add_trace(go.Bar(x=weekday_order, y=l_wd.values, name="Loss", showlegend=False),
                      row=2, col=2)

        fig.add_trace(go.Bar(x=month_order, y=p_mon.values, name="Profit", showlegend=False),
                      row=2, col=3)
        fig.add_trace(go.Bar(x=month_order, y=l_mon.values, name="Loss", showlegend=False),
                      row=2, col=3)

        fig.update_layout(
            barmode="group",  # side-by-side exactly like your matplotlib version
            margin=dict(l=80, r=20, t=30, b=40),
            showlegend=False,
        )

        return fig.to_html(
            full_html=False,
            # include_plotlyjs="cdn",
            config={"responsive": True}
        )

    @staticmethod
    def _holding_time_dashboard_figure(orders_df: pd.DataFrame) -> str:
        # --- build durations in minutes (numeric) ---

        if orders_df.empty:
            return ""

        entry = orders_df["time_setup"]
        exit_ = orders_df["time_done"]

        # keep only closed rows (avoid time_done == 0)
        m = entry.notna() & exit_.notna() & (entry > 0) & (exit_ > 0)
        durations_minutes = (exit_[m] - entry[m]).abs() / 60.0

        if durations_minutes.empty:
            fig = go.Figure()
            fig.update_layout(title="No valid closed positions to compute holding time.")
            return ""

        # --- pie buckets ---
        bins = [0, 5, 15, 60, 240, 1440, 10080, 43200, np.inf]  # minutes
        labels = ["0-5m", "5-15m", "15m-1h", "1-4h", "4-24h", "1-7d", "7d-1mon", ">1mon"]

        bucket = pd.cut(durations_minutes, bins=bins, labels=labels, right=False)
        counts = bucket.value_counts().reindex(labels, fill_value=0)

        # --- describe stats for the table ---
        desc = durations_minutes.describe()  # count, mean, std, min, 25%, 50%, 75%, max

        # format values (you can adjust)
        table_header = ["mean", "std", "min", "25%", "50%", "75%", "max"]
        table_values = [
            f"{pd.to_timedelta(desc['mean'], unit='m')}",
            f"{pd.to_timedelta(desc['std'], unit='m')}",
            f"{pd.to_timedelta(desc['min'], unit='m')}",
            f"{pd.to_timedelta(desc['25%'], unit='m')}",
            f"{pd.to_timedelta(desc['50%'], unit='m')}",
            f"{pd.to_timedelta(desc['75%'], unit='m')}",
            f"{pd.to_timedelta(desc['max'], unit='m')}",
        ]

        # --- figure layout: pie (top) + table (bottom) ---
        fig = make_subplots(
            rows=1, cols=2,
            specs=[[{"type": "pie"}, {"type": "table"}]],
            column_widths=[0.6, 0.4],
            vertical_spacing=0.10,
            subplot_titles=("Positions by holding-time bucket", "Holding time summary"),
            horizontal_spacing=0.15  # increase this (default ~0.05)
        )

        fig.add_trace(
            go.Pie(
                labels=labels,
                values=counts.values,  # ensure it's an array
                hole=0.35,
                textinfo="percent+label"
            ),
            row=1, col=1
        )

        # column x rows format: header across top, ONE row of values

        fig.add_trace(go.Table(
            header=dict(values=['Parameter', 'Time']),
            cells=dict(values=[table_header, table_values])
        ),
            row=1, col=2
        )

        fig.update_layout(
            margin=dict(l=40, r=100, t=30, b=30),
            showlegend=False
        )

        return fig.to_html(
            full_html=False,
            # include_plotlyjs="cdn",
            config={"responsive": True}
        )

__init__(tester_config, mt5_instance, logging_level=logging.WARNING, logs_dir='Logs', reports_dir='Reports', history_dir='History', trading_history_dir='TradingHistory', polars_collect_engine='auto')

Instantiates the StrategyTester with the given configuration, sets up the simulated MetaTrader5 environment, and prepares for running the backtest.

Parameters:

Name Type Description Default
tester_config dict

Dictionary of tester configuration values.

required
mt5_instance MetaTrader5

MetaTrader5 API/client instance used for obtaining crucial information from the broker as an attempt to mimic the terminal.

required
logging_level int

Minimum severity of messages to record. Uses standard logging levels (e.g., logging.DEBUG, INFO, WARNING, ERROR, CRITICAL). Messages below this level are ignored.

WARNING
logs_dir str

Directory for log files.

'Logs'
reports_dir str

Directory for HTML reports and assets.

'Reports'
history_dir str

Directory for historical data storage.

'History'
polars_collect_engine str

Engine used by Polars when collecting historical data in functions for obtaining ticks — copy_ticks, and bars information/rates (copy_rates). Supported values are: - "auto" (default): Use Polars’ standard in-memory engine and respect the POLARS_ENGINE_AFFINITY environment variable if set. - "in-memory": Explicitly use the default in-memory engine, optimized with multi-threading and SIMD over Arrow data. - "streaming": Process queries in batches, enabling larger-than-RAM datasets. - "gpu": Use NVIDIA GPUs via RAPIDS cuDF for accelerated execution. Requires installing Polars with GPU support, e.g.: pip install polars[gpu] --extra-index-url=https://pypi.nvidia.com.

'auto'

Raises: RuntimeError: If required MT5 account info cannot be obtained.

Source code in strategytester5\tester.py
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
def __init__(self,
             tester_config: dict,
             mt5_instance: Any,
             logging_level: int = logging.WARNING,
             logs_dir: Optional[str] = "Logs",
             reports_dir: Optional[str] = "Reports",
             history_dir: Optional[str] = "History",
             trading_history_dir: Optional[str] = "TradingHistory",
             polars_collect_engine: Literal["auto", "in-memory", "streaming", "gpu"] = "auto"):

    """Instantiates the StrategyTester with the given configuration, sets up the simulated MetaTrader5 environment, and prepares for running the backtest.

    Args:
        tester_config (dict): Dictionary of tester configuration values.

        mt5_instance (MetaTrader5): MetaTrader5 API/client instance used for obtaining crucial information from the broker as an attempt to mimic the terminal.

        logging_level: Minimum severity of messages to record. Uses standard `logging` levels (e.g., logging.DEBUG, INFO, WARNING, ERROR, CRITICAL). Messages below this level are ignored.

        logs_dir (str): Directory for log files.
        reports_dir (str): Directory for HTML reports and assets.
        history_dir (str): Directory for historical data storage.
        trading_history_dir (str | optional) A directory to keep trading history.

        polars_collect_engine (str): Engine used by Polars when collecting historical data in functions for obtaining ticks — copy_ticks*, and bars information/rates (copy_rates*). Supported values are:
            - ``"auto"`` (default): Use Polars’ standard in-memory engine and
                respect the ``POLARS_ENGINE_AFFINITY`` environment variable if set.
            - ``"in-memory"``: Explicitly use the default in-memory engine,
                optimized with multi-threading and SIMD over Arrow data.
            - ``"streaming"``: Process queries in batches, enabling
                larger-than-RAM datasets.
            - ``"gpu"``: Use NVIDIA GPUs via RAPIDS cuDF for accelerated execution.
                Requires installing Polars with GPU support, e.g.:
                ``pip install polars[gpu] --extra-index-url=https://pypi.nvidia.com``.
    Raises:
        RuntimeError: If required MT5 account info cannot be obtained.
    """

    self.reports_dir = reports_dir
    self.history_dir = history_dir
    self.polars_collect_engine = polars_collect_engine
    self.trading_history_dir = trading_history_dir

    # ---------------- validate all configs from a dictionary -----------------

    self.tester_config = TesterConfigValidators.parse_tester_configs(tester_config)

    # -------------------- initialize the Loggers ----------------------------

    self.ea_name = self.tester_config["bot_name"]
    os.makedirs(logs_dir, exist_ok=True)

    self.logger = get_logger(task_name=self.ea_name, logfile=os.path.join(logs_dir, f"{LOG_DATE}.log"),
                             level=logging_level, time_provider=self._get_sim_time)

    self.live_mt5_instance = mt5_instance
    if self.live_mt5_instance is None:
        raise RuntimeError(
            "Fatal, A live MetaTrader5 Instance isn't given. If you haven't installed it (WINDOWS-ONLY) run `pip install metatrader5`")

    self.broker_data_dir = self.live_mt5_instance.account_info().server
    self.simulated_mt5 = OverLoadedMetaTrader5API(logger=self.logger,
                                                  broker_data_path=self.broker_data_dir,
                                                  polars_collect_engine=polars_collect_engine,
                                                  live_mt5=self.live_mt5_instance)

    start_dt = self.tester_config.get("start_date", 0)
    start_dt_ts = start_dt.timestamp() if isinstance(start_dt, datetime) else start_dt

    self.simulated_mt5._current_time = start_dt_ts
    self.simulated_mt5._current_time_msc = start_dt_ts * 1000
    self.logger.info("Initialized")
    deposit = self.tester_config["deposit"]

    self.simulated_mt5.ACCOUNT = self.simulated_mt5.ACCOUNT._replace(
        # ---- identity / broker-controlled ----
        login=11223344,
        trade_mode=self.simulated_mt5.ACCOUNT.trade_mode,
        leverage=int(self.tester_config["leverage"]),

        # ---- simulator-controlled financials ----
        balance=deposit,  # simulator starting balance
        credit=0,
        profit=0.0,
        equity=deposit,
        margin=0.0,
        margin_free=deposit,
        margin_level=np.inf,

        # ---- descriptive ----
        name="John Doe",
        server="MetaTrader5-Simulator",
    )

    self.logger.debug(f"Simulated account info: {self.simulated_mt5.ACCOUNT}")

    self.positions_unrealized_pl = 0
    self.positions_total_margin = 0

    # -------------------- tester reports ----------------------------

    self.tester_curves = {
        "time": np.array([]),
        "balance": np.array([]),
        "equity": np.array([]),
        "margin_level": np.array([])
    }

    self.TESTER_IDX = 0
    self.CURVES_IDX = 0
    self.IS_STOPPED = False
    # self._engine_lock = threading.RLock()   # re-entrant lock (safe if functions call other locked functions)

    self.report_stats = None

    # ---------------------- others ------------------------------

    self.last_tick_time: int = 0

run(on_tick_function)

Main function to run the strategy tester simulation. It initializes the tester, processes historical data according to the specified modelling mode, and generates a report at the end.

Parameters:

Name Type Description Default
on_tick_function Any

A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.

required

Returns:

Name Type Description
TesterStats TesterStats

An object containing various statistics computed from the tester results, including trade performance metrics, drawdowns, and more. This is the same stats object that is used to generate the final HTML report.

Source code in strategytester5\tester.py
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
def run(self, on_tick_function: Any) -> stats.TesterStats:

    """Main function to run the strategy tester simulation. It initializes the tester, processes historical data according to the specified modelling mode, and generates a report at the end.

    Args:
        on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.

    Returns:
        TesterStats: An object containing various statistics computed from the tester results, including trade performance metrics, drawdowns, and more. This is the same stats object that is used to generate the final HTML report.
    """

    start_date = self.tester_config["start_date"]
    end_date = self.tester_config["end_date"]
    symbols = self.tester_config["symbols"]
    modelling = self.tester_config["modelling"]
    timeframe = self.tester_config["timeframe"]

    sync = (self.live_mt5_instance is not None)

    history_manager = HistoryManager(
        mt5_instance=self.live_mt5_instance,
        logger=self.logger,
        broker_data_path=self.broker_data_dir
    )

    # optional: keep this if you want auto-sync
    history_manager.synchronize_all_timeframes(
        symbols, start_date, end_date
    )

    if modelling == 4:
        # build tick stream
        df = history_manager.build_tick_stream(
            symbols,
            start_date,
            end_date,
            sync,
            self.polars_collect_engine
        )

        self._tester_init(size=df.height)  # initialize the tester

        # run simulation
        self.run_tick_simulation(
            df,
            symbols,
            on_tick_function,
        )

    elif modelling in (2, 1):

        df = history_manager.build_bar_stream(
            symbols,
            self.simulated_mt5.STRING2TIMEFRAME_MAP["M1"] if modelling == 1 else
            self.simulated_mt5.STRING2TIMEFRAME_MAP[timeframe],
            start_date,
            end_date,
            sync,
            self.polars_collect_engine
        )

        self._tester_init(size=df.height)  # initialize the tester

        # run bar simulation
        self.run_bar_simulation(
            df,
            symbols,
            on_tick_function,
        )

    self._tester_deinit()
    return self.report_stats

run_bar_simulation(df, symbols, on_tick_function)

This function Drives the strategy tester using grouped bars.

Parameters:

Name Type Description Default
df DataFrame

A Polars DataFrame containing bars data, with columns for time, open, high, low, close, etc.

required
symbols list[str]

A list mapping symbol_id to actual symbol names.

required
on_tick_function

A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.

required
Source code in strategytester5\tester.py
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
def run_bar_simulation(
        self,
        df: pl.DataFrame,
        symbols: list[str],
        on_tick_function,
):

    """
    This function Drives the strategy tester using grouped bars.

    Args:
        df (pl.DataFrame): A Polars DataFrame containing bars data, with columns for time, open, high, low, close, etc.
        symbols (list[str]): A list mapping symbol_id to actual symbol names.
        on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.
    """

    total_rows = df.height
    processed = 0

    grouped = df.group_by("time", maintain_order=True)
    with tqdm(total=total_rows, desc="StrategyTester Progress", unit="bar") as pbar:

        for _, rows in grouped:
            n = rows.height

            # process all ticks at this timestamp
            for row in rows.iter_rows(named=True):
                symbol = symbols[row["symbol_id"]]
                point = self.simulated_mt5.symbol_info(symbol).point
                t = row["time"]

                tick = Tick(
                    time=t,
                    bid=row["close"],
                    ask=row["close"] + row["spread"] * point,
                    last=0,
                    volume=row["tick_volume"],
                    time_msc=row["time"] * 1000,
                    flags=-1,
                    volume_real=0
                )

                self.simulated_mt5.tick_update(symbol, tick)

            self._monitor_mt5(time=t)

            # update progress AFTER processing group
            processed += n
            self.TESTER_IDX += 1  # increment tester progress

            pbar.update(n)

            # call strategy AFTER all symbols updated
            on_tick_function()

run_tick_simulation(df, symbols, on_tick_function)

This function Drives the strategy tester using grouped tick events.

Parameters:

Name Type Description Default
df DataFrame

A Polars DataFrame containing tick data, with columns for time, symbol_id, bid, ask, etc.

required
symbols list[str]

A list mapping symbol_id to actual symbol names.

required
on_tick_function

A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.

required
Source code in strategytester5\tester.py
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
def run_tick_simulation(
        self,
        df: pl.DataFrame,
        symbols: list[str],
        on_tick_function,
):
    """
    This function Drives the strategy tester using grouped tick events.

    Args:
        df (pl.DataFrame): A Polars DataFrame containing tick data, with columns for time, symbol_id, bid, ask, etc.
        symbols (list[str]): A list mapping symbol_id to actual symbol names.
        on_tick_function: A callback function that executes the strategy logic on each tick. This function is called after all ticks for a given timestamp are processed and the simulated MetaTrader5 instance is updated with the latest tick information.
    """

    total_rows = df.height
    processed = 0

    grouped = df.group_by("time_msc", maintain_order=True)
    with tqdm(total=total_rows, desc="StrategyTester Progress", unit="tick") as pbar:

        for _, rows in grouped:
            n = rows.height

            # process all ticks at this timestamp
            for row in rows.iter_rows(named=True):
                symbol = symbols[row["symbol_id"]]
                self.simulated_mt5.tick_update(symbol, row)

            t = row["time"]
            self._monitor_mt5(time=t)

            # update progress AFTER processing group
            processed += n
            self.TESTER_IDX += 1  # increment tester progress

            pbar.update(n)

            # call strategy AFTER all symbols updated
            on_tick_function()

get_logger(task_name, logfile, level=logging.INFO, time_provider=None)

Returns a logger

Source code in strategytester5\__init__.py
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
def get_logger(task_name: str, logfile: str, level=logging.INFO, time_provider=None):
    """
        Returns a logger
    """

    logger_name = f"{task_name}"
    logger = logging.getLogger(logger_name)
    logger.setLevel(level)

    if logger.handlers:
        return logger

    formatter = SimulatedTimeFormatter(
        "%(asctime)s | %(levelname)-8s | %(name)s | [%(filename)s:%(lineno)s - %(funcName)10s() ] => %(message)s",
        time_provider=time_provider
    )

    file_handler = RotatingFileHandler(
        logfile,
        maxBytes=10 * 1024 * 1024,  # 10 MB
        backupCount=5,
        encoding="utf-8",
    )

    file_handler.setFormatter(formatter)
    file_handler.setLevel(level)

    console_handler = logging.StreamHandler()
    console_handler.setFormatter(formatter)
    console_handler.setLevel(level)

    logger.addHandler(file_handler)
    logger.addHandler(console_handler)

    logger.propagate = False
    return logger