kuhl-haus-mdp 0.1.0__py3-none-any.whl → 0.1.2__py3-none-any.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.
@@ -5,6 +5,7 @@ from massive.websocket.models import EventType
5
5
 
6
6
  from kuhl_haus.mdp.models.market_data_analyzer_result import MarketDataAnalyzerResult
7
7
  from kuhl_haus.mdp.models.market_data_cache_keys import MarketDataCacheKeys
8
+ from kuhl_haus.mdp.models.market_data_cache_ttl import MarketDataCacheTTL
8
9
 
9
10
 
10
11
  class MassiveDataAnalyzer:
@@ -18,7 +19,7 @@ class MassiveDataAnalyzer:
18
19
  EventType.EquityQuote.value: self.handle_equity_quote_event,
19
20
  }
20
21
 
21
- async def analyze_data(self, data: dict) -> Optional[List[MarketDataAnalyzerResult]]:
22
+ def analyze_data(self, data: dict) -> Optional[List[MarketDataAnalyzerResult]]:
22
23
  """
23
24
  Process raw market data message
24
25
 
@@ -30,73 +31,63 @@ class MassiveDataAnalyzer:
30
31
  """
31
32
  if "event_type" not in data:
32
33
  self.logger.info("Message missing 'event_type'")
33
- return await self.handle_unknown_event(data)
34
+ return self.handle_unknown_event(data)
34
35
  event_type = data.get("event_type")
35
36
 
36
37
  if "symbol" not in data:
37
38
  self.logger.info("Message missing 'symbol'")
38
- return await self.handle_unknown_event(data)
39
+ return self.handle_unknown_event(data)
39
40
  symbol = data.get("symbol")
40
41
 
41
42
  if event_type in self.event_handlers:
42
- return await self.event_handlers[event_type](**{"data": data, "symbol": symbol})
43
+ return self.event_handlers[event_type](**{"data": data, "symbol": symbol})
43
44
  else:
44
45
  self.logger.warning(f"Unsupported message type: {event_type}")
45
- return await self.handle_unknown_event(data)
46
+ return self.handle_unknown_event(data)
46
47
 
47
- async def handle_luld_event(self, data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
48
- try:
49
- return [MarketDataAnalyzerResult(
50
- data=data,
51
- cache_key=f"{MarketDataCacheKeys.HALTS.value}:{symbol}",
52
- cache_ttl=28500, # 7 hours, 55 minutes
53
- publish_key=f"{MarketDataCacheKeys.HALTS.value}:{symbol}",
54
- )]
55
- except Exception as e:
56
- self.logger.error(f"Error processing LULD message for {symbol}: {data}", e)
48
+ @staticmethod
49
+ def handle_luld_event(data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
50
+ return [MarketDataAnalyzerResult(
51
+ data=data,
52
+ cache_key=f"{MarketDataCacheKeys.HALTS.value}:{symbol}",
53
+ cache_ttl=MarketDataCacheTTL.THREE_DAYS.value,
54
+ publish_key=f"{MarketDataCacheKeys.HALTS.value}:{symbol}",
55
+ )]
57
56
 
58
- async def handle_equity_agg_event(self, data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
59
- try:
60
- return [MarketDataAnalyzerResult(
61
- data=data,
62
- # cache_key=f"{MarketDataCacheKeys.AGGREGATE.value}:{symbol}",
63
- # cache_ttl=259200, # 3 days
64
- publish_key=f"{MarketDataCacheKeys.AGGREGATE.value}:{symbol}",
65
- )]
66
- except Exception as e:
67
- self.logger.error(f"Error processing EquityAgg message for {symbol}: {data}", e)
57
+ @staticmethod
58
+ def handle_equity_agg_event(data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
59
+ return [MarketDataAnalyzerResult(
60
+ data=data,
61
+ cache_key=f"{MarketDataCacheKeys.AGGREGATE.value}:{symbol}",
62
+ cache_ttl=MarketDataCacheTTL.THREE_DAYS.value,
63
+ publish_key=f"{MarketDataCacheKeys.AGGREGATE.value}:{symbol}",
64
+ )]
68
65
 
69
- async def handle_equity_trade_event(self, data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
70
- try:
71
- return [MarketDataAnalyzerResult(
72
- data=data,
73
- # cache_key=f"{MarketDataCacheKeys.TRADES.value}:{symbol}",
74
- # cache_ttl=28500, # 7 hours, 55 minutes
75
- publish_key=f"{MarketDataCacheKeys.TRADES.value}:{symbol}",
76
- )]
77
- except Exception as e:
78
- self.logger.error(f"Error processing EquityTrade message for {symbol}: {data}", e)
66
+ @staticmethod
67
+ def handle_equity_trade_event(data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
68
+ return [MarketDataAnalyzerResult(
69
+ data=data,
70
+ cache_key=f"{MarketDataCacheKeys.TRADES.value}:{symbol}",
71
+ cache_ttl=MarketDataCacheTTL.EIGHT_HOURS.value,
72
+ publish_key=f"{MarketDataCacheKeys.TRADES.value}:{symbol}",
73
+ )]
79
74
 
80
- async def handle_equity_quote_event(self, data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
81
- try:
82
- return [MarketDataAnalyzerResult(
83
- data=data,
84
- # cache_key=f"{MarketDataCacheKeys.QUOTES.value}:{symbol}",
85
- # cache_ttl=259200, # 3 days
86
- publish_key=f"{MarketDataCacheKeys.QUOTES.value}:{symbol}",
87
- )]
88
- except Exception as e:
89
- self.logger.error(f"Error processing EquityQuote message for {symbol}: {data}", e)
75
+ @staticmethod
76
+ def handle_equity_quote_event(data: dict, symbol: str) -> Optional[List[MarketDataAnalyzerResult]]:
77
+ return [MarketDataAnalyzerResult(
78
+ data=data,
79
+ cache_key=f"{MarketDataCacheKeys.QUOTES.value}:{symbol}",
80
+ cache_ttl=MarketDataCacheTTL.THREE_DAYS.value,
81
+ publish_key=f"{MarketDataCacheKeys.QUOTES.value}:{symbol}",
82
+ )]
90
83
 
91
- async def handle_unknown_event(self, data: dict) -> Optional[List[MarketDataAnalyzerResult]]:
92
- try:
93
- timestamp = f"{time()}".replace('.','')
94
- cache_key = f"{MarketDataCacheKeys.UNKNOWN.value}:{timestamp}"
95
- return [MarketDataAnalyzerResult(
96
- data=data,
97
- cache_key=cache_key,
98
- cache_ttl=86400, # 1 days
99
- publish_key=f"{MarketDataCacheKeys.UNKNOWN.value}",
100
- )]
101
- except Exception as e:
102
- self.logger.error(f"Error processing unknown message type: {data}", e)
84
+ @staticmethod
85
+ def handle_unknown_event(data: dict) -> Optional[List[MarketDataAnalyzerResult]]:
86
+ timestamp = f"{time()}".replace('.','')
87
+ cache_key = f"{MarketDataCacheKeys.UNKNOWN.value}:{timestamp}"
88
+ return [MarketDataAnalyzerResult(
89
+ data=data,
90
+ cache_key=cache_key,
91
+ cache_ttl=MarketDataCacheTTL.ONE_DAY.value,
92
+ publish_key=f"{MarketDataCacheKeys.UNKNOWN.value}",
93
+ )]
@@ -114,8 +114,8 @@ class MassiveDataProcessor:
114
114
  web_socket_message = json.loads(message.body.decode())
115
115
  data = WebSocketMessageSerde.to_dict(web_socket_message)
116
116
 
117
- # Delegate to analyzer (async)
118
- analyzer_results = await self.analyzer.analyze_data(data)
117
+ # Delegate to analyzer
118
+ analyzer_results = self.analyzer.analyze_data(data)
119
119
  if analyzer_results:
120
120
  self.processed += 1
121
121
  for analyzer_result in analyzer_results:
@@ -59,8 +59,8 @@ class WebSocketMessageSerde:
59
59
  ret: dict = {
60
60
  "event_type": message.event_type,
61
61
  "symbol": message.symbol,
62
- "high": message.high_price,
63
- "low": message.low_price,
62
+ "high_price": message.high_price,
63
+ "low_price": message.low_price,
64
64
  "indicators": message.indicators,
65
65
  "tape": message.tape,
66
66
  "timestamp": message.timestamp,
@@ -0,0 +1,19 @@
1
+ from enum import Enum
2
+
3
+
4
+ class MarketDataCacheTTL(Enum):
5
+ # Hours
6
+ ONE_HOUR = 3600
7
+ TWO_HOURS = 7200
8
+ FOUR_HOURS = 14400
9
+ SIX_HOURS = 21600
10
+ EIGHT_HOURS = 28800
11
+
12
+ # Days
13
+ ONE_DAY = 86400
14
+ TWO_DAYS = 172800
15
+ THREE_DAYS = 259200
16
+ FOUR_DAYS = 345600
17
+ FIVE_DAYS = 432000
18
+ SIX_DAYS = 518400
19
+ SEVEN_DAYS = 604800
@@ -0,0 +1,146 @@
1
+ Metadata-Version: 2.1
2
+ Name: kuhl-haus-mdp
3
+ Version: 0.1.2
4
+ Summary: Market data processing pipeline for stock market scanner
5
+ Author-Email: Tom Pounders <git@oldschool.engineer>
6
+ License: The MIT License (MIT)
7
+
8
+ Copyright (c) 2025 Tom Pounders
9
+
10
+ Permission is hereby granted, free of charge, to any person obtaining a copy
11
+ of this software and associated documentation files (the "Software"), to deal
12
+ in the Software without restriction, including without limitation the rights
13
+ to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
14
+ copies of the Software, and to permit persons to whom the Software is
15
+ furnished to do so, subject to the following conditions:
16
+
17
+ The above copyright notice and this permission notice shall be included in all
18
+ copies or substantial portions of the Software.
19
+
20
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
21
+ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
22
+ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
23
+ AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
24
+ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
25
+ OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
26
+ SOFTWARE.
27
+
28
+ Classifier: Development Status :: 4 - Beta
29
+ Classifier: Programming Language :: Python
30
+ Project-URL: Homepage, https://github.com/kuhl-haus/kuhl-haus-mdp
31
+ Project-URL: Documentation, https://github.com/kuhl-haus/kuhl-haus-mdp/wiki
32
+ Project-URL: Source, https://github.com/kuhl-haus/kuhl-haus-mdp.git
33
+ Project-URL: Changelog, https://github.com/kuhl-haus/kuhl-haus-mdp/commits
34
+ Project-URL: Tracker, https://github.com/kuhl-haus/kuhl-haus-mdp/issues
35
+ Requires-Python: <3.13,>=3.9.21
36
+ Requires-Dist: websockets
37
+ Requires-Dist: aio-pika
38
+ Requires-Dist: redis[asyncio]
39
+ Requires-Dist: tenacity
40
+ Requires-Dist: fastapi
41
+ Requires-Dist: uvicorn[standard]
42
+ Requires-Dist: pydantic-settings
43
+ Requires-Dist: python-dotenv
44
+ Requires-Dist: massive
45
+ Provides-Extra: testing
46
+ Requires-Dist: setuptools; extra == "testing"
47
+ Requires-Dist: pdm-backend; extra == "testing"
48
+ Requires-Dist: pytest; extra == "testing"
49
+ Requires-Dist: pytest-cov; extra == "testing"
50
+ Description-Content-Type: text/markdown
51
+
52
+ <!-- These are examples of badges you might want to add to your README:
53
+ please update the URLs accordingly
54
+
55
+ [![ReadTheDocs](https://readthedocs.org/projects/kuhl-haus-mdp/badge/?version=latest)](https://kuhl-haus-mdp.readthedocs.io/en/stable/)
56
+ [![Conda-Forge](https://img.shields.io/conda/vn/conda-forge/kuhl-haus-mdp.svg)](https://anaconda.org/conda-forge/kuhl-haus-mdp)
57
+ [![Monthly Downloads](https://pepy.tech/badge/kuhl-haus-mdp/month)](https://pepy.tech/project/kuhl-haus-mdp)
58
+ -->
59
+
60
+
61
+ [![License](https://img.shields.io/github/license/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/blob/mainline/LICENSE.txt)
62
+ [![PyPI](https://img.shields.io/pypi/v/kuhl-haus-mdp.svg)](https://pypi.org/project/kuhl-haus-mdp/)
63
+ [![Downloads](https://static.pepy.tech/badge/kuhl-haus-mdp/month)](https://pepy.tech/project/kuhl-haus-mdp)
64
+ [![Build Status](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/publish-to-pypi.yml/badge.svg)](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/publish-to-pypi.yml)
65
+ [![CodeQL Advanced](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/codeql.yml/badge.svg)](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/codeql.yml)
66
+ [![codecov](https://codecov.io/gh/kuhl-haus/kuhl-haus-mdp/branch/mainline/graph/badge.svg)](https://codecov.io/gh/kuhl-haus/kuhl-haus-mdp)
67
+ [![GitHub issues](https://img.shields.io/github/issues/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/issues)
68
+ [![GitHub pull requests](https://img.shields.io/github/issues-pr/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/pulls)
69
+
70
+
71
+ # kuhl-haus-mdp
72
+
73
+ Market data processing pipeline for stock market scanner.
74
+
75
+
76
+
77
+ ## TL;DR
78
+ Non-business Massive (AKA Polygon.IO) accounts are limited to a single WebSocket connection per asset class and it has to be fast enough to handle messages in a non-blocking fashion or it'll get disconnected. The market data processing pipeline consists of loosely-coupled market data processing components so that a single WebSocket connection can handle messages fast enough to maintain a reliable connection with the market data provider.
79
+
80
+ Per, https://massive.com/docs/websocket/quickstart#connecting-to-the-websocket:
81
+ > *By default, one concurrent WebSocket connection per asset class is allowed. If you require multiple simultaneous connections for the same asset class, please [contact support](https://massive.com/contact).*
82
+
83
+ # Components Summary
84
+
85
+ Non-business Massive (AKA Polygon.IO) accounts are limited to a single WebSocket connection per asset class and it has to be fast enough to handle messages in a non-blocking fashion or it'll get disconnected. The Market Data Listener (MDL) connects to the Market Data Source (Massive) and subscribes to unfiltered feeds. MDL inspects the message type for selecting the appropriate serialization method and destination Market Data Queue (MDQ). The Market Data Processors (MDP) subscribe to raw market data in the MDQ and perform the heavy lifting that would otherwise constrain the message handling speed of the MDL. This decoupling allows the MDP and MDL to scale independently. Post-processed market data is stored in the MDC for consumption by the Widget Data Service (WDS). Client-side widgets receive market data from the WDS, which provides a WebSocket interface to MDC pub/sub streams and cached data.
86
+
87
+ [![Market Data Processing C4-V1.drawio.png](docs/Market_Data_Processing_C4.png)]
88
+
89
+ # Component Descriptions
90
+
91
+ ## Market Data Listener (MDL)
92
+ The MDL performs minimal processing on the messages. MDL inspects the message type for selecting the appropriate serialization method and destination queue. MDL implementations may vary as new MDS become available (for example, news).
93
+
94
+ MDL runs as a container and scales independently of other components. The MDL should not be accessible outside the data plane local network.
95
+
96
+ ## Market Data Queues (MDQ)
97
+
98
+ **Purpose:** Buffer high-velocity market data stream for server-side processing with aggressive freshness controls
99
+ - **Queue Type:** FIFO with TTL (5-second max message age)
100
+ - **Cleanup Strategy:** Discarded when TTL expires
101
+ - **Message Format:** Timestamped JSON preserving original Massive.com structure
102
+ - **Durability:** Non-persistent messages (speed over reliability for real-time data)
103
+ - **Independence:** Queues operate completely independently - one queue per subscription
104
+ - **Technology**: RabbitMQ
105
+
106
+ The MDQ should not be accessible outside the data plane local network.
107
+
108
+ ## Market Data Processors (MDP)
109
+ The purpose of the MDP is to process raw real-time market data and delegate processing to data-specific handlers. This separation of concerns allows MDPs to handle any type of data and simplifies horizontal scaling. The MDP stores its processed results in the Market Data Cache (MDC).
110
+
111
+ The MDP:
112
+ - Hydrates the in-memory cache on MDC
113
+ - Processes market data
114
+ - Publishes messages to pub/sub channels
115
+ - Maintains cache entries in MDC
116
+
117
+ MDPs runs as containers and scale independently of other components. The MDPs should not be accessible outside the data plane local network.
118
+
119
+ ## Market Data Cache (MDC)
120
+
121
+ **Purpose:** In-memory data store for serialized processed market data.
122
+ * **Cache Type**: In-memory persistent or with TTL
123
+ - **Queue Type:** pub/sub
124
+ - **Technology**: Redis
125
+
126
+ The MDC should not be accessible outside the data plane local network.
127
+
128
+ ## Widget Data Service (WDS)
129
+ **Purpose**:
130
+ 1. WebSocket interface provides access to processed market data for client-side code
131
+ 2. Is the network-layer boundary between clients and the data that is available on the data plane
132
+
133
+ WDS runs as a container and scales independently of other components. WDS is the only data plane component that should be exposed to client networks.
134
+
135
+
136
+ ## Service Control Plane (SCP)
137
+ **Purpose**:
138
+ 1. Authentication and authorization
139
+ 2. Serve static and dynamic content via py4web
140
+ 3. Serve SPA to authenticated clients
141
+ 4. Injects authentication token and WDS url into SPA environment for authenticated access to WDS
142
+ 5. Control plane for managing application components at runtime
143
+ 6. API for programmatic access to service controls and instrumentation.
144
+
145
+ The SCP requires access to the data plane network for API access to data plane components.
146
+
@@ -1,7 +1,7 @@
1
1
  kuhl_haus/mdp/__init__.py,sha256=5dEpAdB3kypH8tCRECoXwbly1WV9kFU5kh8ldGSa0VI,349
2
2
  kuhl_haus/mdp/analyzers/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
3
3
  kuhl_haus/mdp/analyzers/analyzer.py,sha256=eluYM2Iib5kgbpNZUSk2qEUL-j83ZTb3zmEmRazrmiM,404
4
- kuhl_haus/mdp/analyzers/massive_data_analyzer.py,sha256=4EEKDJjJmxCdL5nFa87AogabBHgGVld02UuWTgqfFjI,4536
4
+ kuhl_haus/mdp/analyzers/massive_data_analyzer.py,sha256=WSb7T8X4u2ue7Du7sf_fqxjgjEbR6ThllSNT1CncIM0,3866
5
5
  kuhl_haus/mdp/analyzers/top_stocks.py,sha256=AbRnPHSVrJgUq3CDV8SaNstldqoimlI23gpG69lzYBM,18759
6
6
  kuhl_haus/mdp/components/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
7
  kuhl_haus/mdp/components/market_data_cache.py,sha256=r5sJHuSuLiw9BVckW--aWZHHIMqOTCf-pFURA7kef3Q,1070
@@ -12,18 +12,19 @@ kuhl_haus/mdp/helpers/process_manager.py,sha256=Is3Jx8nlBWvywQ1acdsdaSJTAG0olKsk
12
12
  kuhl_haus/mdp/helpers/queue_name_resolver.py,sha256=l_zfRLxrjR9uwRCV2VDO4vPWLK_lj5KVG2p4Lh8xWiw,770
13
13
  kuhl_haus/mdp/integ/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
14
14
  kuhl_haus/mdp/integ/massive_data_listener.py,sha256=fPEYc6zZzHzFFjbP3zFInajKtEGInj8UQKKo3nKQEwQ,5098
15
- kuhl_haus/mdp/integ/massive_data_processor.py,sha256=9I0tH9sZNs9Y0TyKIBKix_qlEksEZt5NRfP-Zf3FovE,8708
15
+ kuhl_haus/mdp/integ/massive_data_processor.py,sha256=qktzLfuqrOgE4C9iZs4mXFvHt2BckgevRP8pEakzggA,8694
16
16
  kuhl_haus/mdp/integ/massive_data_queues.py,sha256=zC_uV2vwZCMyVerDQ18RAQwIMMF75iK4qUSqwuWqgwc,5050
17
17
  kuhl_haus/mdp/integ/utils.py,sha256=9JEpl2yr2LghOLrJUDxi-4dtDK3DZ1wBTZ1uxBJsFbQ,1309
18
- kuhl_haus/mdp/integ/web_socket_message_serde.py,sha256=jPXMVO-4RaZ8yrnqfgckeHEv_96_9yXj_keMq42NqJY,5456
18
+ kuhl_haus/mdp/integ/web_socket_message_serde.py,sha256=XdaoaByc7IhtzbPDXBtXKOTjyDzfPSDuZVCoHSIaTl4,5468
19
19
  kuhl_haus/mdp/models/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
20
20
  kuhl_haus/mdp/models/market_data_analyzer_result.py,sha256=iICb5GVCtuqARNbR1JNCAfbxMijM3uppDNdL8_FB3eI,422
21
21
  kuhl_haus/mdp/models/market_data_cache_keys.py,sha256=5iScBMhVQaG3p9P45veE-uRT7c6JY7k6j4DcvSEXENA,942
22
+ kuhl_haus/mdp/models/market_data_cache_ttl.py,sha256=4KvsPeg84-sp4viUX6reN8CZYiM2aF9FgfXQmPbj3hw,348
22
23
  kuhl_haus/mdp/models/market_data_pubsub_keys.py,sha256=PEIPXK9jBehJB7G4pqoSuQZcfMZgOQq8Yho1itqv-1A,1306
23
24
  kuhl_haus/mdp/models/market_data_scanner_names.py,sha256=BYn1C0rYgGF1Sq583BkHADKUu-28ytNZQ-XgptuCH-Y,260
24
25
  kuhl_haus/mdp/models/massive_data_queue.py,sha256=MfYBcjVc4Fi61DWIvvhhWLUOiLmRpE9egtW-2KH6FTE,188
25
- kuhl_haus_mdp-0.1.0.dist-info/METADATA,sha256=arT72OYux7JnmZIDfJ0K0wYbNBRfysS7HlZO3-wABMU,4261
26
- kuhl_haus_mdp-0.1.0.dist-info/WHEEL,sha256=tsUv_t7BDeJeRHaSrczbGeuK-TtDpGsWi_JfpzD255I,90
27
- kuhl_haus_mdp-0.1.0.dist-info/entry_points.txt,sha256=6OYgBcLyFCUgeqLgnvMyOJxPCWzgy7se4rLPKtNonMs,34
28
- kuhl_haus_mdp-0.1.0.dist-info/licenses/LICENSE.txt,sha256=DRkJftAJcMqoTkQ_Y6-HtKj3nm4pZah_p8XBZiYnw-c,1079
29
- kuhl_haus_mdp-0.1.0.dist-info/RECORD,,
26
+ kuhl_haus_mdp-0.1.2.dist-info/METADATA,sha256=iOqk7u1RoyY-mBiIDGVI06TSDGulUuHo0GF9G6JYcdQ,8688
27
+ kuhl_haus_mdp-0.1.2.dist-info/WHEEL,sha256=tsUv_t7BDeJeRHaSrczbGeuK-TtDpGsWi_JfpzD255I,90
28
+ kuhl_haus_mdp-0.1.2.dist-info/entry_points.txt,sha256=6OYgBcLyFCUgeqLgnvMyOJxPCWzgy7se4rLPKtNonMs,34
29
+ kuhl_haus_mdp-0.1.2.dist-info/licenses/LICENSE.txt,sha256=DRkJftAJcMqoTkQ_Y6-HtKj3nm4pZah_p8XBZiYnw-c,1079
30
+ kuhl_haus_mdp-0.1.2.dist-info/RECORD,,
@@ -1,79 +0,0 @@
1
- Metadata-Version: 2.1
2
- Name: kuhl-haus-mdp
3
- Version: 0.1.0
4
- Summary: Market data processing pipeline for stock market scanner
5
- Author-Email: Tom Pounders <git@oldschool.engineer>
6
- License: The MIT License (MIT)
7
-
8
- Copyright (c) 2025 Tom Pounders
9
-
10
- Permission is hereby granted, free of charge, to any person obtaining a copy
11
- of this software and associated documentation files (the "Software"), to deal
12
- in the Software without restriction, including without limitation the rights
13
- to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
14
- copies of the Software, and to permit persons to whom the Software is
15
- furnished to do so, subject to the following conditions:
16
-
17
- The above copyright notice and this permission notice shall be included in all
18
- copies or substantial portions of the Software.
19
-
20
- THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
21
- IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
22
- FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
23
- AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
24
- LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
25
- OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
26
- SOFTWARE.
27
-
28
- Classifier: Development Status :: 4 - Beta
29
- Classifier: Programming Language :: Python
30
- Project-URL: Homepage, https://github.com/kuhl-haus/kuhl-haus-mdp
31
- Project-URL: Documentation, https://github.com/kuhl-haus/kuhl-haus-mdp/wiki
32
- Project-URL: Source, https://github.com/kuhl-haus/kuhl-haus-mdp.git
33
- Project-URL: Changelog, https://github.com/kuhl-haus/kuhl-haus-mdp/commits
34
- Project-URL: Tracker, https://github.com/kuhl-haus/kuhl-haus-mdp/issues
35
- Requires-Python: <3.13,>=3.9.21
36
- Requires-Dist: websockets
37
- Requires-Dist: aio-pika
38
- Requires-Dist: redis[asyncio]
39
- Requires-Dist: tenacity
40
- Requires-Dist: fastapi
41
- Requires-Dist: uvicorn[standard]
42
- Requires-Dist: pydantic-settings
43
- Requires-Dist: python-dotenv
44
- Requires-Dist: massive
45
- Provides-Extra: testing
46
- Requires-Dist: setuptools; extra == "testing"
47
- Requires-Dist: pdm-backend; extra == "testing"
48
- Requires-Dist: pytest; extra == "testing"
49
- Requires-Dist: pytest-cov; extra == "testing"
50
- Description-Content-Type: text/markdown
51
-
52
- <!-- These are examples of badges you might want to add to your README:
53
- please update the URLs accordingly
54
-
55
- [![ReadTheDocs](https://readthedocs.org/projects/kuhl-haus-mdp/badge/?version=latest)](https://kuhl-haus-mdp.readthedocs.io/en/stable/)
56
- [![Conda-Forge](https://img.shields.io/conda/vn/conda-forge/kuhl-haus-mdp.svg)](https://anaconda.org/conda-forge/kuhl-haus-mdp)
57
- [![Monthly Downloads](https://pepy.tech/badge/kuhl-haus-mdp/month)](https://pepy.tech/project/kuhl-haus-mdp)
58
- -->
59
-
60
-
61
- [![License](https://img.shields.io/github/license/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/blob/mainline/LICENSE.txt)
62
- [![PyPI](https://img.shields.io/pypi/v/kuhl-haus-mdp.svg)](https://pypi.org/project/kuhl-haus-mdp/)
63
- [![Downloads](https://static.pepy.tech/badge/kuhl-haus-mdp/month)](https://pepy.tech/project/kuhl-haus-mdp)
64
- [![Build Status](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/publish-to-pypi.yml/badge.svg)](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/publish-to-pypi.yml)
65
- [![CodeQL Advanced](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/codeql.yml/badge.svg)](https://github.com/kuhl-haus/kuhl-haus-mdp/actions/workflows/codeql.yml)
66
- [![codecov](https://codecov.io/gh/kuhl-haus/kuhl-haus-mdp/branch/mainline/graph/badge.svg)](https://codecov.io/gh/kuhl-haus/kuhl-haus-mdp)
67
- [![GitHub issues](https://img.shields.io/github/issues/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/issues)
68
- [![GitHub pull requests](https://img.shields.io/github/issues-pr/kuhl-haus/kuhl-haus-mdp)](https://github.com/kuhl-haus/kuhl-haus-mdp/pulls)
69
-
70
-
71
- # kuhl-haus-mdp
72
-
73
- Market data processing pipeline for stock market scanner.
74
-
75
-
76
- ## Note
77
-
78
- This project has been set up using PyScaffold 4.6. For details and usage
79
- information on PyScaffold see https://pyscaffold.org/.