Qubx 0.2.71__cp311-cp311-manylinux_2_35_x86_64.whl → 0.2.73__cp311-cp311-manylinux_2_35_x86_64.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of Qubx might be problematic. Click here for more details.
- qubx/backtester/ome.py +12 -3
- qubx/backtester/simulator.py +99 -6
- qubx/core/series.cpython-311-x86_64-linux-gnu.so +0 -0
- qubx/core/series.pyi +6 -1
- qubx/core/utils.cpython-311-x86_64-linux-gnu.so +0 -0
- qubx/gathering/simplest.py +2 -2
- qubx/ta/indicators.cpython-311-x86_64-linux-gnu.so +0 -0
- qubx/trackers/riskctrl.py +7 -3
- {qubx-0.2.71.dist-info → qubx-0.2.73.dist-info}/METADATA +1 -1
- {qubx-0.2.71.dist-info → qubx-0.2.73.dist-info}/RECORD +11 -11
- {qubx-0.2.71.dist-info → qubx-0.2.73.dist-info}/WHEEL +0 -0
qubx/backtester/ome.py
CHANGED
|
@@ -43,9 +43,15 @@ class OrdersManagementEngine:
|
|
|
43
43
|
bbo: Quote | None # current best bid/ask order book (simplest impl)
|
|
44
44
|
__order_id: int
|
|
45
45
|
__trade_id: int
|
|
46
|
+
_fill_stops_at_price: bool
|
|
46
47
|
|
|
47
48
|
def __init__(
|
|
48
|
-
self,
|
|
49
|
+
self,
|
|
50
|
+
instrument: Instrument,
|
|
51
|
+
time_provider: ITimeProvider,
|
|
52
|
+
tcc: TransactionCostsCalculator,
|
|
53
|
+
fill_stop_order_at_price: bool = False, # emulate stop orders execution at order's exact limit price
|
|
54
|
+
debug: bool = True,
|
|
49
55
|
) -> None:
|
|
50
56
|
self.instrument = instrument
|
|
51
57
|
self.time_service = time_provider
|
|
@@ -57,6 +63,7 @@ class OrdersManagementEngine:
|
|
|
57
63
|
self.bbo = None
|
|
58
64
|
self.__order_id = 100000
|
|
59
65
|
self.__trade_id = 100000
|
|
66
|
+
self._fill_stops_at_price = fill_stop_order_at_price
|
|
60
67
|
if not debug:
|
|
61
68
|
self._dbg = lambda message, **kwargs: None
|
|
62
69
|
|
|
@@ -96,12 +103,14 @@ class OrdersManagementEngine:
|
|
|
96
103
|
# - processing stop orders
|
|
97
104
|
for soid in list(self.stop_orders.keys()):
|
|
98
105
|
so = self.stop_orders[soid]
|
|
106
|
+
_emulate_price_exec = self._fill_stops_at_price or so.options.get(OPTION_FILL_AT_SIGNAL_PRICE, False)
|
|
107
|
+
|
|
99
108
|
if so.side == "BUY" and quote.ask >= so.price:
|
|
100
|
-
_exec_price = quote.ask if not
|
|
109
|
+
_exec_price = quote.ask if not _emulate_price_exec else so.price
|
|
101
110
|
self.stop_orders.pop(soid)
|
|
102
111
|
rep.append(self._execute_order(timestamp, _exec_price, so, True))
|
|
103
112
|
elif so.side == "SELL" and quote.bid <= so.price:
|
|
104
|
-
_exec_price = quote.bid if not
|
|
113
|
+
_exec_price = quote.bid if not _emulate_price_exec else so.price
|
|
105
114
|
self.stop_orders.pop(soid)
|
|
106
115
|
rep.append(self._execute_order(timestamp, _exec_price, so, True))
|
|
107
116
|
|
qubx/backtester/simulator.py
CHANGED
|
@@ -142,8 +142,8 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
142
142
|
First implementation of a simulated broker.
|
|
143
143
|
TODO:
|
|
144
144
|
1. Add margin control
|
|
145
|
-
2. Need to solve problem with _get_ohlcv_data_sync (actually this method must be removed from here)
|
|
146
|
-
3. Add support for stop orders (not urgent)
|
|
145
|
+
2. Need to solve problem with _get_ohlcv_data_sync (actually this method must be removed from here) [DONE]
|
|
146
|
+
3. Add support for stop orders (not urgent) [DONE]
|
|
147
147
|
"""
|
|
148
148
|
|
|
149
149
|
_current_time: dt_64
|
|
@@ -152,13 +152,40 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
152
152
|
_fees_calculator: TransactionCostsCalculator | None
|
|
153
153
|
_order_to_symbol: Dict[str, str]
|
|
154
154
|
_half_tick_size: Dict[str, float]
|
|
155
|
+
_fill_stop_order_at_price: bool
|
|
155
156
|
|
|
156
157
|
def __init__(
|
|
157
158
|
self,
|
|
158
159
|
name: str,
|
|
159
160
|
commissions: str | None = None,
|
|
160
161
|
simulation_initial_time: dt_64 | str = np.datetime64(0, "ns"),
|
|
162
|
+
accurate_stop_orders_execution: bool = False,
|
|
161
163
|
) -> None:
|
|
164
|
+
"""
|
|
165
|
+
This function sets up a simulated trading environment with following parameters.
|
|
166
|
+
|
|
167
|
+
Parameters:
|
|
168
|
+
-----------
|
|
169
|
+
name : str
|
|
170
|
+
The name of the simulated trading environment.
|
|
171
|
+
commissions : str | None, optional
|
|
172
|
+
The commission structure to be used. If None, no commissions will be applied.
|
|
173
|
+
Default is None.
|
|
174
|
+
simulation_initial_time : dt_64 | str, optional
|
|
175
|
+
The initial time for the simulation. Can be a dt_64 object or a string.
|
|
176
|
+
Default is np.datetime64(0, "ns").
|
|
177
|
+
accurate_stop_orders_execution : bool, optional
|
|
178
|
+
If True, stop orders will be executed at the exact stop order's price.
|
|
179
|
+
If False, they may be executed at the next quote that could lead to
|
|
180
|
+
significant slippage especially if simuation run on OHLC data.
|
|
181
|
+
Default is False.
|
|
182
|
+
|
|
183
|
+
Raises:
|
|
184
|
+
-------
|
|
185
|
+
ValueError
|
|
186
|
+
If the fees configuration is not found for the given name.
|
|
187
|
+
|
|
188
|
+
"""
|
|
162
189
|
self._current_time = (
|
|
163
190
|
np.datetime64(simulation_initial_time, "ns")
|
|
164
191
|
if isinstance(simulation_initial_time, str)
|
|
@@ -168,6 +195,7 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
168
195
|
self._ome = {}
|
|
169
196
|
self._fees_calculator = lookup.fees.find(name.lower(), commissions)
|
|
170
197
|
self._half_tick_size = {}
|
|
198
|
+
self._fill_stop_order_at_price = accurate_stop_orders_execution
|
|
171
199
|
|
|
172
200
|
self._order_to_symbol = {}
|
|
173
201
|
if self._fees_calculator is None:
|
|
@@ -177,6 +205,8 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
177
205
|
|
|
178
206
|
# - we want to see simulate time in log messages
|
|
179
207
|
QubxLogConfig.setup_logger(QubxLogConfig.get_log_level(), _SimulatedLogFormatter(self).formatter)
|
|
208
|
+
if self._fill_stop_order_at_price:
|
|
209
|
+
logger.info(f"SimulatedExchangeService emulates stop orders executions at exact price")
|
|
180
210
|
|
|
181
211
|
def send_order(
|
|
182
212
|
self,
|
|
@@ -195,8 +225,8 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
195
225
|
|
|
196
226
|
# - try to place order in OME
|
|
197
227
|
report = ome.place_order(
|
|
198
|
-
order_side.upper(),
|
|
199
|
-
order_type.upper(),
|
|
228
|
+
order_side.upper(), # type: ignore
|
|
229
|
+
order_type.upper(), # type: ignore
|
|
200
230
|
amount,
|
|
201
231
|
price,
|
|
202
232
|
client_id,
|
|
@@ -254,7 +284,12 @@ class SimulatedTrading(ITradingServiceProvider):
|
|
|
254
284
|
|
|
255
285
|
if symbol not in self.acc._positions:
|
|
256
286
|
# - initiolize OME for this instrument
|
|
257
|
-
self._ome[instrument.symbol] = OrdersManagementEngine(
|
|
287
|
+
self._ome[instrument.symbol] = OrdersManagementEngine(
|
|
288
|
+
instrument=instrument,
|
|
289
|
+
time_provider=self,
|
|
290
|
+
tcc=self._fees_calculator, # type: ignore
|
|
291
|
+
fill_stop_order_at_price=self._fill_stop_order_at_price,
|
|
292
|
+
)
|
|
258
293
|
|
|
259
294
|
# - initiolize empty position
|
|
260
295
|
position = Position(instrument) # type: ignore
|
|
@@ -693,8 +728,57 @@ def simulate(
|
|
|
693
728
|
n_jobs: int = 1,
|
|
694
729
|
silent: bool = False,
|
|
695
730
|
enable_event_batching: bool = True,
|
|
731
|
+
accurate_stop_orders_execution: bool = False,
|
|
696
732
|
debug: Literal["DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL"] | None = "WARNING",
|
|
697
733
|
) -> list[TradingSessionResult]:
|
|
734
|
+
"""
|
|
735
|
+
Backtest utility for trading strategies or signals using historical data.
|
|
736
|
+
|
|
737
|
+
Parameters:
|
|
738
|
+
----------
|
|
739
|
+
|
|
740
|
+
config (StrategyOrSignals | Dict | List[StrategyOrSignals | PositionsTracker]):
|
|
741
|
+
Trading strategy or signals configuration.
|
|
742
|
+
data (Dict[str, pd.DataFrame] | DataReader):
|
|
743
|
+
Historical data for simulation, either as a dictionary of DataFrames or a DataReader object.
|
|
744
|
+
capital (float):
|
|
745
|
+
Initial capital for the simulation.
|
|
746
|
+
instruments (List[str] | Dict[str, List[str]] | None):
|
|
747
|
+
List of trading instruments or a dictionary mapping exchanges to instrument lists.
|
|
748
|
+
subscription (Dict[str, Any]):
|
|
749
|
+
Subscription details for market data.
|
|
750
|
+
trigger (str | list[str]):
|
|
751
|
+
Trigger specification for strategy execution.
|
|
752
|
+
commissions (str):
|
|
753
|
+
Commission structure for trades.
|
|
754
|
+
start (str | pd.Timestamp):
|
|
755
|
+
Start time of the simulation.
|
|
756
|
+
stop (str | pd.Timestamp | None):
|
|
757
|
+
End time of the simulation. If None, simulates until the last accessible data.
|
|
758
|
+
fit (str | None):
|
|
759
|
+
Specification for strategy fitting, if applicable.
|
|
760
|
+
exchange (str | None):
|
|
761
|
+
Exchange name if not specified in the instruments list.
|
|
762
|
+
base_currency (str):
|
|
763
|
+
Base currency for the simulation, default is "USDT".
|
|
764
|
+
leverage (float):
|
|
765
|
+
Leverage factor for trading, default is 1.0.
|
|
766
|
+
n_jobs (int):
|
|
767
|
+
Number of parallel jobs for simulation, default is 1.
|
|
768
|
+
silent (bool):
|
|
769
|
+
If True, suppresses output during simulation.
|
|
770
|
+
enable_event_batching (bool):
|
|
771
|
+
If True, enables event batching for optimization.
|
|
772
|
+
accurate_stop_orders_execution (bool):
|
|
773
|
+
If True, enables more accurate stop order execution simulation.
|
|
774
|
+
debug (Literal["DEBUG", "INFO", "WARNING", "ERROR", "CRITICAL"] | None):
|
|
775
|
+
Logging level for debugging.
|
|
776
|
+
|
|
777
|
+
Returns:
|
|
778
|
+
--------
|
|
779
|
+
list[TradingSessionResult]:
|
|
780
|
+
A list of TradingSessionResult objects containing the results of each simulation setup.
|
|
781
|
+
"""
|
|
698
782
|
|
|
699
783
|
# - setup logging
|
|
700
784
|
QubxLogConfig.set_log_level(debug.upper() if debug else "WARNING")
|
|
@@ -755,6 +839,7 @@ def simulate(
|
|
|
755
839
|
n_jobs=n_jobs,
|
|
756
840
|
silent=silent,
|
|
757
841
|
enable_event_batching=enable_event_batching,
|
|
842
|
+
accurate_stop_orders_execution=accurate_stop_orders_execution,
|
|
758
843
|
)
|
|
759
844
|
|
|
760
845
|
|
|
@@ -818,6 +903,7 @@ def _run_setups(
|
|
|
818
903
|
n_jobs: int = -1,
|
|
819
904
|
silent: bool = False,
|
|
820
905
|
enable_event_batching: bool = True,
|
|
906
|
+
accurate_stop_orders_execution: bool = False,
|
|
821
907
|
) -> List[TradingSessionResult]:
|
|
822
908
|
# loggers don't work well with joblib and multiprocessing in general because they contain
|
|
823
909
|
# open file handlers that cannot be pickled. I found a solution which requires the usage of enqueue=True
|
|
@@ -839,6 +925,7 @@ def _run_setups(
|
|
|
839
925
|
fit=fit,
|
|
840
926
|
silent=silent,
|
|
841
927
|
enable_event_batching=enable_event_batching,
|
|
928
|
+
accurate_stop_orders_execution=accurate_stop_orders_execution,
|
|
842
929
|
)
|
|
843
930
|
for id, s in enumerate(setups)
|
|
844
931
|
)
|
|
@@ -856,13 +943,19 @@ def _run_setup(
|
|
|
856
943
|
fit: str | None,
|
|
857
944
|
silent: bool = False,
|
|
858
945
|
enable_event_batching: bool = True,
|
|
946
|
+
accurate_stop_orders_execution: bool = False,
|
|
859
947
|
) -> TradingSessionResult:
|
|
860
948
|
_trigger = trigger
|
|
861
949
|
_stop = stop
|
|
862
950
|
logger.debug(
|
|
863
951
|
f"<red>{pd.Timestamp(start)}</red> Initiating simulated trading for {setup.exchange} for {setup.capital} x {setup.leverage} in {setup.base_currency}..."
|
|
864
952
|
)
|
|
865
|
-
broker = SimulatedTrading(
|
|
953
|
+
broker = SimulatedTrading(
|
|
954
|
+
setup.exchange,
|
|
955
|
+
setup.commissions,
|
|
956
|
+
np.datetime64(start, "ns"),
|
|
957
|
+
accurate_stop_orders_execution=accurate_stop_orders_execution,
|
|
958
|
+
)
|
|
866
959
|
exchange = SimulatedExchange(setup.exchange, broker, data_reader)
|
|
867
960
|
|
|
868
961
|
# - it will store simulation results into memory
|
|
Binary file
|
qubx/core/series.pyi
CHANGED
|
@@ -4,12 +4,16 @@ from typing import Any, Tuple
|
|
|
4
4
|
import pandas as pd
|
|
5
5
|
|
|
6
6
|
class Bar:
|
|
7
|
+
time: int
|
|
7
8
|
open: float
|
|
8
9
|
high: float
|
|
9
10
|
low: float
|
|
10
11
|
close: float
|
|
11
12
|
volume: float
|
|
13
|
+
bought_volume: float
|
|
12
14
|
def __init__(self, time, open, high, low, close, volume, bought_volume=0): ...
|
|
15
|
+
def update(self, price: float, volume: float, bought_volume: float = 0) -> Bar: ...
|
|
16
|
+
def to_dict(self, skip_time: bool = False) -> dict: ...
|
|
13
17
|
|
|
14
18
|
class Quote:
|
|
15
19
|
time: int
|
|
@@ -44,8 +48,9 @@ class TimeSeries:
|
|
|
44
48
|
max_series_length: int
|
|
45
49
|
times: Indexed
|
|
46
50
|
values: Indexed
|
|
47
|
-
def __init__(self, name, timeframe, max_series_length, process_every_update=True) -> None: ...
|
|
51
|
+
def __init__(self, name, timeframe, max_series_length=np.inf, process_every_update=True) -> None: ...
|
|
48
52
|
def __getitem__(self, idx): ...
|
|
53
|
+
def __len__(self) -> int: ...
|
|
49
54
|
def update(self, time: int, value: float) -> bool: ...
|
|
50
55
|
def copy(self, start: int, stop: int) -> "TimeSeries": ...
|
|
51
56
|
def shift(self, period: int) -> TimeSeries: ...
|
|
Binary file
|
qubx/gathering/simplest.py
CHANGED
|
@@ -34,7 +34,7 @@ class SimplePositionGatherer(IPositionGathering):
|
|
|
34
34
|
|
|
35
35
|
if abs(to_trade) < instrument.min_size:
|
|
36
36
|
if current_position != 0:
|
|
37
|
-
logger.
|
|
37
|
+
logger.debug(
|
|
38
38
|
f"{instrument.exchange}:{instrument.symbol}: Unable change position from {current_position} to {new_size} : too small difference"
|
|
39
39
|
)
|
|
40
40
|
else:
|
|
@@ -45,7 +45,7 @@ class SimplePositionGatherer(IPositionGathering):
|
|
|
45
45
|
if at_price:
|
|
46
46
|
# - we already havbe position but it's requested to change at a specific price
|
|
47
47
|
if abs(current_position) > instrument.min_size:
|
|
48
|
-
logger.
|
|
48
|
+
logger.debug(
|
|
49
49
|
f"<green>{instrument.symbol}</green>: Attempt to change current position {current_position} to {new_size} at {at_price} !"
|
|
50
50
|
)
|
|
51
51
|
|
|
Binary file
|
qubx/trackers/riskctrl.py
CHANGED
|
@@ -201,6 +201,13 @@ class BrokerSideRiskController(RiskController):
|
|
|
201
201
|
|
|
202
202
|
case State.RISK_TRIGGERED:
|
|
203
203
|
c.status = State.DONE
|
|
204
|
+
|
|
205
|
+
# - remove from the tracking list
|
|
206
|
+
logger.debug(
|
|
207
|
+
f"<yellow>{self.__class__.__name__}</yellow> -- stops tracking -- <green>{instrument.symbol}</green>"
|
|
208
|
+
)
|
|
209
|
+
self._trackings.pop(instrument)
|
|
210
|
+
|
|
204
211
|
# - send service signal that risk triggeres (it won't be processed by StrategyContext)
|
|
205
212
|
if c.stop_executed_price:
|
|
206
213
|
return [
|
|
@@ -215,9 +222,6 @@ class BrokerSideRiskController(RiskController):
|
|
|
215
222
|
)
|
|
216
223
|
]
|
|
217
224
|
|
|
218
|
-
case State.OPEN:
|
|
219
|
-
pass
|
|
220
|
-
|
|
221
225
|
case State.DONE:
|
|
222
226
|
logger.debug(
|
|
223
227
|
f"<yellow>{self.__class__.__name__}</yellow> -- stops tracking -- <green>{instrument.symbol}</green>"
|
|
@@ -1,10 +1,10 @@
|
|
|
1
1
|
qubx/__init__.py,sha256=dIHcfXv3uDX-kJ6qRGrH5OUW7evnGFf6A2VsLQlr2jc,6047
|
|
2
2
|
qubx/_nb_magic.py,sha256=vfV892I5rkA_Zbno5Dsl9osPTGiXTCV3afZRDrTlcOQ,1915
|
|
3
3
|
qubx/backtester/__init__.py,sha256=g9K4pp4ieY4rRKE0eA_02LMo-c4vnk-QqtVn_ff9F5U,66
|
|
4
|
-
qubx/backtester/ome.py,sha256=
|
|
4
|
+
qubx/backtester/ome.py,sha256=FmtRMDCeEo8ZZP-yLswLilX6zx6SjJeieMiaLS7zrn0,11145
|
|
5
5
|
qubx/backtester/optimization.py,sha256=wn48ppzziiNTG37tipY4HfRpqLKl2Y5iVCVO6NsCKRM,6588
|
|
6
6
|
qubx/backtester/queue.py,sha256=ys9tHyrqx3NKbcoTAoOn0m0caIk5F0GpS2x7_sCikro,14997
|
|
7
|
-
qubx/backtester/simulator.py,sha256=
|
|
7
|
+
qubx/backtester/simulator.py,sha256=EIcJ1J5ZuQdlUndtHrjurgh2yJb13b7_GCXEvB-mbYw,38180
|
|
8
8
|
qubx/core/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
9
9
|
qubx/core/account.py,sha256=uIU-EUMuH5owWhHTmU1pZ0WrkQkiv9YiFqSZW9dFDK8,9066
|
|
10
10
|
qubx/core/basics.py,sha256=WA6LrmCG1si6pfyvezLRkfts575912AhGJMVbwBWSa0,21802
|
|
@@ -14,17 +14,17 @@ qubx/core/helpers.py,sha256=JAB1kcKO8l--gxg9_W2BzWW1N4x72sicw1oBszKYcbo,12657
|
|
|
14
14
|
qubx/core/loggers.py,sha256=zpehm2-RdKG1ISe6t3DiM3RrL_zzGni3YFcxfgDkV24,16575
|
|
15
15
|
qubx/core/lookups.py,sha256=qGOSb2SIxmgVPGJFLJnPDI1P9hCzFMVipRDcVLUm8qk,14599
|
|
16
16
|
qubx/core/metrics.py,sha256=pL1obxnk8I7bDF41bQcOZ7MDsq4Wmj6g5cRiV7cFZKQ,38657
|
|
17
|
-
qubx/core/series.cpython-311-x86_64-linux-gnu.so,sha256=
|
|
17
|
+
qubx/core/series.cpython-311-x86_64-linux-gnu.so,sha256=jm55CYg3uP6-aMJq9mmSxKasX2pVh2xn8s_ldj_Zxqg,779016
|
|
18
18
|
qubx/core/series.pxd,sha256=kF7QeLFgCM-C2hDxVvJM97ZOmyw1v7JEI9WfPKtQ6xs,3002
|
|
19
|
-
qubx/core/series.pyi,sha256=
|
|
19
|
+
qubx/core/series.pyi,sha256=bRBWOaDUBe4Hm2SvraoVeT-n5NFLA92fi8ezrArx9nY,2831
|
|
20
20
|
qubx/core/series.pyx,sha256=UhZsnT7R3-UED05Fnp3mGxr4RSdMpWAHB4lkcz46MFo,32598
|
|
21
21
|
qubx/core/strategy.py,sha256=tTXhDbFTH63yj53mLgVEDBZxYOxC51prcsyXWkdTgLs,10991
|
|
22
|
-
qubx/core/utils.cpython-311-x86_64-linux-gnu.so,sha256=
|
|
22
|
+
qubx/core/utils.cpython-311-x86_64-linux-gnu.so,sha256=fygnriORpmolJOVVtOMiYFmhEinJVRy5xvzwtlcoCJo,82504
|
|
23
23
|
qubx/core/utils.pyi,sha256=DAjyRVPJSxK4Em-9wui2F0yYHfP5tI5DjKavXNOnHa8,276
|
|
24
24
|
qubx/core/utils.pyx,sha256=-8ek58CrbqWZq0-OY7WSREsCXBoBeWrD_wEYbIBS9rI,1696
|
|
25
25
|
qubx/data/helpers.py,sha256=A0NGzhpXYWD92-GeB8TghwMnR0NW8bjcNJOCXybQw3g,782
|
|
26
26
|
qubx/data/readers.py,sha256=HzNkFI2W4Rkh2AZWsOnnsi9VlHmlBCKaigyMd0T0Jiw,39523
|
|
27
|
-
qubx/gathering/simplest.py,sha256=
|
|
27
|
+
qubx/gathering/simplest.py,sha256=Ez3YFZMKH3o0jV0Qbg1SuZiuFNs_5No_C7wZ6vOeqfo,3814
|
|
28
28
|
qubx/impl/ccxt_connector.py,sha256=ja_0WJDyZfkzqhNvoV-c5CCg15YnbRIThxw0TTNdwcc,13066
|
|
29
29
|
qubx/impl/ccxt_customizations.py,sha256=WUhDT9x2SYuFrOyBIbk2D9Q_U_5QZhtLomLq88Egf_c,6230
|
|
30
30
|
qubx/impl/ccxt_trading.py,sha256=OW0s_kW7GZlbDz_pGBlzLCUT2iDK4dhaBtmIAvj7QDw,9889
|
|
@@ -35,14 +35,14 @@ qubx/pandaz/__init__.py,sha256=Iw5uzicYGSC3FEKZ-W1O5-7cXq_P0kH11-EcXV0zZhs,175
|
|
|
35
35
|
qubx/pandaz/ta.py,sha256=NthiiueUoqWGRcjovcKKThcCcdImZn3JRdWDA2vL28k,85075
|
|
36
36
|
qubx/pandaz/utils.py,sha256=XB28Zwv3cXWbKFXbcV5QGj_d6w-i8Yo4LYkX8aPuCHo,19613
|
|
37
37
|
qubx/ta/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
38
|
-
qubx/ta/indicators.cpython-311-x86_64-linux-gnu.so,sha256=
|
|
38
|
+
qubx/ta/indicators.cpython-311-x86_64-linux-gnu.so,sha256=dmNDjvU0iziEYwvNhie4NnPHPiQjVllrsSgy3l8DuPg,576168
|
|
39
39
|
qubx/ta/indicators.pxd,sha256=YzPDhbbNPmy3m4NafwIRF5sNFsmkq-MM1gbeAygtBwM,4007
|
|
40
40
|
qubx/ta/indicators.pyi,sha256=mM_7ISmGQDgjhwxCoZXDw7Rm9fynQSYjevV7fRoLdNc,1683
|
|
41
41
|
qubx/ta/indicators.pyx,sha256=GuxB63YApFnA9IWNJDbBt90J1sOoxTf3jDWYQ3uD9So,24306
|
|
42
42
|
qubx/trackers/__init__.py,sha256=-Hmlc8Mpdi_t6kyeW4ZtmYkHzrULaIb6gUsAkhUxA-4,169
|
|
43
43
|
qubx/trackers/composite.py,sha256=rYQCaxu4IKLf5sS3DCyUUJaSUQwbCy6UMoVjsS-481A,6222
|
|
44
44
|
qubx/trackers/rebalancers.py,sha256=dp-jemxczT8ndkjjzljsIgGnnA6lZQhsf5c4YdmHKCw,6048
|
|
45
|
-
qubx/trackers/riskctrl.py,sha256=
|
|
45
|
+
qubx/trackers/riskctrl.py,sha256=N0CQeCHnL8OI1LST9CAVmyirKRfBbfXQcCjHt8DGSfI,22978
|
|
46
46
|
qubx/trackers/sizers.py,sha256=vh49p2I_5LxYfznOQxlM6f0K1wadgtz7y9NSxg3WdNQ,5953
|
|
47
47
|
qubx/utils/__init__.py,sha256=AL2YibJ3tqBKsZZLUjM9N2J5yy-Kq__k_44oTODQ5sM,321
|
|
48
48
|
qubx/utils/_pyxreloader.py,sha256=FyqGzfSpZGYziB8JYS5AP3cLRAvJSIPAKgwQn0E4YQ0,12017
|
|
@@ -53,6 +53,6 @@ qubx/utils/misc.py,sha256=Av0mhrPCy5NZRrRmjOAhTKusa8wVdL7vCQtEy9bVnz4,10450
|
|
|
53
53
|
qubx/utils/ntp.py,sha256=LZo4FPVY3rqLUV9VWkLcZaPOpUDFC8Qleynmfggg9No,1758
|
|
54
54
|
qubx/utils/runner.py,sha256=Czo01KUCc9Oj9TIcs03d6Qh7fOpQV5w8oH6UDZ6Yqn0,9539
|
|
55
55
|
qubx/utils/time.py,sha256=ioIos3VLA-iYI8LiQIn2m-t0Y37CEQAHFw_-C9Uwo0o,5188
|
|
56
|
-
qubx-0.2.
|
|
57
|
-
qubx-0.2.
|
|
58
|
-
qubx-0.2.
|
|
56
|
+
qubx-0.2.73.dist-info/METADATA,sha256=BlQcsbjTxWaDsNFuQjg5cTRBC0xujx9TYobz8EfeXWQ,2573
|
|
57
|
+
qubx-0.2.73.dist-info/WHEEL,sha256=MLOa6LysROdjgj4FVxsHitAnIh8Be2D_c9ZSBHKrz2M,110
|
|
58
|
+
qubx-0.2.73.dist-info/RECORD,,
|
|
File without changes
|