itchfeed 1.0.0__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.
- itch/__init__.py +14 -0
- itch/indicators.py +206 -0
- itch/messages.py +1600 -0
- itch/parser.py +180 -0
- itchfeed-1.0.0.dist-info/METADATA +217 -0
- itchfeed-1.0.0.dist-info/RECORD +9 -0
- itchfeed-1.0.0.dist-info/WHEEL +5 -0
- itchfeed-1.0.0.dist-info/licenses/LICENSE +21 -0
- itchfeed-1.0.0.dist-info/top_level.txt +1 -0
itch/parser.py
ADDED
@@ -0,0 +1,180 @@
|
|
1
|
+
from queue import Queue
|
2
|
+
from typing import BinaryIO, List
|
3
|
+
|
4
|
+
from itch import messages as msg
|
5
|
+
from itch.messages import MarketMessage
|
6
|
+
|
7
|
+
class MessageParser(object):
|
8
|
+
"""
|
9
|
+
A market message parser for ITCH 5.0 data.
|
10
|
+
|
11
|
+
"""
|
12
|
+
|
13
|
+
def __init__(self, message_type: bytes = msg.MESSAGES):
|
14
|
+
self.message_type = message_type
|
15
|
+
|
16
|
+
def read_message_from_file(
|
17
|
+
self,
|
18
|
+
file: BinaryIO,
|
19
|
+
cachesize: int = 4096,
|
20
|
+
) -> List[MarketMessage]:
|
21
|
+
max_message_size = 52
|
22
|
+
file_end_reached = False
|
23
|
+
|
24
|
+
data_buffer = file.read(cachesize)
|
25
|
+
buffer_len = len(data_buffer)
|
26
|
+
messages: List[MarketMessage] = []
|
27
|
+
|
28
|
+
while not file_end_reached:
|
29
|
+
if buffer_len < 2:
|
30
|
+
new_data = file.read(cachesize)
|
31
|
+
if not new_data:
|
32
|
+
break
|
33
|
+
data_buffer += new_data
|
34
|
+
buffer_len = len(data_buffer)
|
35
|
+
continue
|
36
|
+
|
37
|
+
if data_buffer[0:1] != b"\x00":
|
38
|
+
raise ValueError(
|
39
|
+
"Unexpected byte: " + str(data_buffer[0:1], encoding="ascii")
|
40
|
+
)
|
41
|
+
|
42
|
+
message_len = data_buffer[1]
|
43
|
+
total_len = 2 + message_len
|
44
|
+
|
45
|
+
if buffer_len < total_len:
|
46
|
+
# Wait for more data if message is incomplete
|
47
|
+
new_data = file.read(cachesize)
|
48
|
+
if not new_data:
|
49
|
+
break
|
50
|
+
data_buffer += new_data
|
51
|
+
buffer_len = len(data_buffer)
|
52
|
+
continue
|
53
|
+
message_data = data_buffer[2:total_len]
|
54
|
+
message = self.get_message_type(message_data)
|
55
|
+
|
56
|
+
if message.message_type in self.message_type:
|
57
|
+
messages.append(message)
|
58
|
+
|
59
|
+
if message.message_type == b"S": # System message
|
60
|
+
if message.event_code == b"C": # End of messages
|
61
|
+
break
|
62
|
+
|
63
|
+
# Update buffer
|
64
|
+
data_buffer = data_buffer[total_len:]
|
65
|
+
buffer_len = len(data_buffer)
|
66
|
+
|
67
|
+
if buffer_len < max_message_size and not file_end_reached:
|
68
|
+
new_data = file.read(cachesize)
|
69
|
+
if not new_data:
|
70
|
+
file_end_reached = True
|
71
|
+
else:
|
72
|
+
data_buffer += new_data
|
73
|
+
buffer_len = len(data_buffer)
|
74
|
+
|
75
|
+
return messages
|
76
|
+
|
77
|
+
def read_message_from_bytes(self, data: bytes):
|
78
|
+
"""
|
79
|
+
Process one or multiple ITCH binary messages from a raw bytes input.
|
80
|
+
|
81
|
+
Args:
|
82
|
+
data (bytes): Binary blob containing one or more ITCH messages.
|
83
|
+
|
84
|
+
Returns:
|
85
|
+
Queue: A queue containing parsed ITCH message objects.
|
86
|
+
|
87
|
+
Notes:
|
88
|
+
- Each message must be prefixed with a 0x00 header and a length byte.
|
89
|
+
- No buffering is done here — this is meant for real-time decoding.
|
90
|
+
"""
|
91
|
+
|
92
|
+
offset = 0
|
93
|
+
messages = Queue()
|
94
|
+
while offset + 2 <= len(data):
|
95
|
+
# Each message starts with: 1-byte header (0x00) 1-byte length
|
96
|
+
if data[offset : offset + 1] != b"\x00":
|
97
|
+
raise ValueError(
|
98
|
+
f"Unexpected start byte at offset {offset}: "
|
99
|
+
f"{str(data[offset : offset + 1], encoding='ascii')}"
|
100
|
+
)
|
101
|
+
|
102
|
+
msg_len = data[offset + 1]
|
103
|
+
total_len = 2 + msg_len
|
104
|
+
|
105
|
+
if offset + total_len > len(data):
|
106
|
+
break
|
107
|
+
|
108
|
+
raw_msg = data[offset + 2 : offset + total_len]
|
109
|
+
message = self.get_message_type(raw_msg)
|
110
|
+
|
111
|
+
if message.message_type in self.message_type:
|
112
|
+
messages.put(message)
|
113
|
+
|
114
|
+
if message.message_type == b"S": # System message
|
115
|
+
if message.event_code == b"C": # End of messages
|
116
|
+
break
|
117
|
+
|
118
|
+
offset += total_len
|
119
|
+
|
120
|
+
return messages
|
121
|
+
|
122
|
+
def get_message_type(self, message: bytes):
|
123
|
+
"""
|
124
|
+
Take an entire bytearray and return the appropriate ITCH message
|
125
|
+
instance based on the message type indicator (first byte of the message).
|
126
|
+
|
127
|
+
All message type indicators are single ASCII characters.
|
128
|
+
"""
|
129
|
+
message_type = message[0:1]
|
130
|
+
match message_type:
|
131
|
+
case b"S":
|
132
|
+
return msg.SystemEventMessage(message)
|
133
|
+
case b"R":
|
134
|
+
return msg.StockDirectoryMessage(message)
|
135
|
+
case b"H":
|
136
|
+
return msg.StockTradingActionMessage(message)
|
137
|
+
case b"Y":
|
138
|
+
return msg.RegSHOMessage(message)
|
139
|
+
case b"L":
|
140
|
+
return msg.MarketParticipantPositionMessage(message)
|
141
|
+
case b"V":
|
142
|
+
return msg.MWCBDeclineLeveMessage(message)
|
143
|
+
case b"W":
|
144
|
+
return msg.MWCBStatusMessage(message)
|
145
|
+
case b"K":
|
146
|
+
return msg.IPOQuotingPeriodUpdateMessage(message)
|
147
|
+
case b"J":
|
148
|
+
return msg.LULDAuctionCollarMessage(message)
|
149
|
+
case b"h":
|
150
|
+
return msg.OperationalHaltMessage(message)
|
151
|
+
case b"A":
|
152
|
+
return msg.AddOrderNoMPIAttributionMessage(message)
|
153
|
+
case b"F":
|
154
|
+
return msg.AddOrderMPIDAttribution(message)
|
155
|
+
case b"E":
|
156
|
+
return msg.OrderExecutedMessage(message)
|
157
|
+
case b"C":
|
158
|
+
return msg.OrderExecutedWithPriceMessage(message)
|
159
|
+
case b"X":
|
160
|
+
return msg.OrderCancelMessage(message)
|
161
|
+
case b"D":
|
162
|
+
return msg.OrderDeleteMessage(message)
|
163
|
+
case b"U":
|
164
|
+
return msg.OrderReplaceMessage(message)
|
165
|
+
case b"P":
|
166
|
+
return msg.NonCrossTradeMessage(message)
|
167
|
+
case b"Q":
|
168
|
+
return msg.CrossTradeMessage(message)
|
169
|
+
case b"B":
|
170
|
+
return msg.BrokenTradeMessage(message)
|
171
|
+
case b"I":
|
172
|
+
return msg.NOIIMessage(message)
|
173
|
+
case b"N":
|
174
|
+
return msg.RetailPriceImprovementIndicator(message)
|
175
|
+
case b"O":
|
176
|
+
return msg.DLCRMessage(message)
|
177
|
+
case _:
|
178
|
+
raise ValueError(
|
179
|
+
f"Unknown message type: {message_type.decode(encoding='ascii')}"
|
180
|
+
)
|
@@ -0,0 +1,217 @@
|
|
1
|
+
Metadata-Version: 2.4
|
2
|
+
Name: itchfeed
|
3
|
+
Version: 1.0.0
|
4
|
+
Summary: Simple parser for ITCH messages
|
5
|
+
Home-page: https://github.com/bbalouki/itch
|
6
|
+
Author: Bertin Balouki SIMYELI
|
7
|
+
Author-email: <bertin@bbstrader.com>
|
8
|
+
Maintainer: Bertin Balouki SIMYELI
|
9
|
+
License: The MIT License (MIT)
|
10
|
+
Project-URL: Source Code, https://github.com/bbalouki/itch
|
11
|
+
Keywords: Finance,Financial,Quantitative,Equities,Data,Feed,ETFs,Funds,Trading,Investing,Portfolio,Optimization,Performance
|
12
|
+
Classifier: Development Status :: 5 - Production/Stable
|
13
|
+
Classifier: Intended Audience :: Developers
|
14
|
+
Classifier: Intended Audience :: Financial and Insurance Industry
|
15
|
+
Classifier: Topic :: Office/Business :: Financial :: Investment
|
16
|
+
Classifier: Programming Language :: Python :: 3
|
17
|
+
Classifier: Operating System :: OS Independent
|
18
|
+
Description-Content-Type: text/markdown
|
19
|
+
License-File: LICENSE
|
20
|
+
Requires-Dist: pytest
|
21
|
+
Dynamic: author
|
22
|
+
Dynamic: author-email
|
23
|
+
Dynamic: classifier
|
24
|
+
Dynamic: description
|
25
|
+
Dynamic: description-content-type
|
26
|
+
Dynamic: home-page
|
27
|
+
Dynamic: keywords
|
28
|
+
Dynamic: license
|
29
|
+
Dynamic: license-file
|
30
|
+
Dynamic: maintainer
|
31
|
+
Dynamic: project-url
|
32
|
+
Dynamic: requires-dist
|
33
|
+
Dynamic: summary
|
34
|
+
|
35
|
+
# Nasdaq TotalView-ITCH 5.0 Parser
|
36
|
+
|
37
|
+
[](https://opensource.org/licenses/MIT) <!-- Choose your license -->
|
38
|
+
|
39
|
+
A Python library for parsing binary data conforming to the Nasdaq TotalView-ITCH 5.0 protocol specification. This parser converts the raw byte stream into structured Python objects, making it easier to work with Nasdaq market data.
|
40
|
+
|
41
|
+
## Overview
|
42
|
+
|
43
|
+
The Nasdaq TotalView-ITCH 5.0 protocol is a binary protocol used by Nasdaq to disseminate full order book depth, trade information, and system events for equities traded on its execution system. This parser handles the low-level details of reading the binary format, unpacking fields according to the specification, and presenting the data as intuitive Python objects.
|
44
|
+
|
45
|
+
## Features
|
46
|
+
|
47
|
+
* **Parses ITCH 5.0 Binary Data:** Accurately interprets the binary message structures defined in the official specification.
|
48
|
+
* **Supports All Standard Message Types:** Implements classes for all messages defined in the ITCH 5.0 specification (System Event, Stock Directory, Add Order, Trade, etc.).
|
49
|
+
* **Object-Oriented Representation:** Each ITCH message type is represented by a dedicated Python class (`SystemEventMessage`, `AddOrderMessage`, etc.), inheriting from a common `MarketMessage` base class.
|
50
|
+
* **Flexible Input:** Reads and parses messages from:
|
51
|
+
* Binary files (`.gz` or similar).
|
52
|
+
* Raw byte streams (e.g., from network sockets).
|
53
|
+
* **Data Decoding:** Provides a `.decode()` method on each message object to convert it into a human-readable `dataclass` representation, handling:
|
54
|
+
* Byte-to-string conversion (ASCII).
|
55
|
+
* Stripping padding spaces.
|
56
|
+
* Price decoding based on defined precision.
|
57
|
+
* **Timestamp Handling:** Correctly reconstructs the 6-byte (48-bit) nanosecond timestamps.
|
58
|
+
* **Price Handling:** Decodes fixed-point price fields into floating-point numbers based on the standard 4 or 8 decimal place precision.
|
59
|
+
* **Pure Python:** Relies only on the Python standard library . No external dependencies required.
|
60
|
+
|
61
|
+
## Installation
|
62
|
+
|
63
|
+
You can install this project using ``pip``
|
64
|
+
|
65
|
+
1. **Clone the repository (or download the source code):**
|
66
|
+
```bash
|
67
|
+
pip install itch
|
68
|
+
```
|
69
|
+
2. **Import the necessary modules** directly into your Python project:
|
70
|
+
```python
|
71
|
+
from itch.parser import MessageParser
|
72
|
+
from itch.messages import ModifyOrderMessage
|
73
|
+
```
|
74
|
+
|
75
|
+
## Usage
|
76
|
+
|
77
|
+
### Parsing from a Binary File
|
78
|
+
|
79
|
+
This is useful for processing historical ITCH data stored in files. The `MessageParser` handles buffering efficiently.
|
80
|
+
|
81
|
+
```python
|
82
|
+
from itch import MessageParser
|
83
|
+
from itch.messages import AddOrderMessage, TradeMessage
|
84
|
+
|
85
|
+
# Initialize the parser. Optionally filter messages by type.
|
86
|
+
# parser = MessageParser(message_type=b"AP") # Only parse AddOrder and NonCrossTrade messages
|
87
|
+
parser = MessageParser()
|
88
|
+
|
89
|
+
# Path to your ITCH 5.0 data file
|
90
|
+
itch_file_path = 'path/to/your/data'
|
91
|
+
# you can find sample data [here](https://emi.nasdaq.com/ITCH/Nasdaq%20ITCH/)
|
92
|
+
|
93
|
+
try:
|
94
|
+
with open(itch_file_path, 'rb') as itch_file:
|
95
|
+
# read_message_from_file returns a list of parsed message objects
|
96
|
+
parsed_messages = parser.read_message_from_file(itch_file)
|
97
|
+
|
98
|
+
print(f"Parsed {len(parsed_messages)} messages.")
|
99
|
+
|
100
|
+
# Process the messages
|
101
|
+
for message in parsed_messages:
|
102
|
+
# Access attributes directly
|
103
|
+
print(f"Type: {message.message_type.decode()}, Timestamp: {message.timestamp}")
|
104
|
+
|
105
|
+
if isinstance(message, AddOrderMessage):
|
106
|
+
print(f" Add Order: Ref={message.order_reference_number}, "
|
107
|
+
f"Side={message.buy_sell_indicator.decode()}, "
|
108
|
+
f"Shares={message.shares}, Stock={message.stock.decode().strip()}, "
|
109
|
+
f"Price={message.decode_price('price')}")
|
110
|
+
|
111
|
+
elif isinstance(message, TradeMessage):
|
112
|
+
print(f" Trade: Match={message.match_number}")
|
113
|
+
# Access specific trade type attributes...
|
114
|
+
|
115
|
+
# Get a human-readable dataclass representation
|
116
|
+
decoded_msg = message.decode()
|
117
|
+
print(f" Decoded: {decoded_msg}")
|
118
|
+
|
119
|
+
except FileNotFoundError:
|
120
|
+
print(f"Error: File not found at {itch_file_path}")
|
121
|
+
except Exception as e:
|
122
|
+
print(f"An error occurred: {e}")
|
123
|
+
|
124
|
+
```
|
125
|
+
|
126
|
+
### Parsing from Raw Bytes
|
127
|
+
|
128
|
+
This is suitable for real-time processing, such as reading from a network stream.
|
129
|
+
|
130
|
+
```python
|
131
|
+
from itch import MessageParser
|
132
|
+
from itch.messages import AddOrderMessage
|
133
|
+
from queue import Queue
|
134
|
+
|
135
|
+
# Initialize the parser
|
136
|
+
parser = MessageParser()
|
137
|
+
|
138
|
+
# Simulate receiving a chunk of binary data (e.g., from a network socket)
|
139
|
+
# This chunk contains multiple ITCH messages, each prefixed with 0x00 and length byte
|
140
|
+
# Example: \x00\x0bS...\x00\x25R...\x00\x27F...
|
141
|
+
raw_binary_data: bytes = b"..." # Your raw ITCH 5.0 data chunk
|
142
|
+
|
143
|
+
# read_message_from_bytes returns a queue of parsed message objects
|
144
|
+
message_queue: Queue = parser.read_message_from_bytes(raw_binary_data)
|
145
|
+
|
146
|
+
print(f"Parsed {message_queue.qsize()} messages from the byte chunk.")
|
147
|
+
|
148
|
+
# Process messages from the queue
|
149
|
+
while not message_queue.empty():
|
150
|
+
message = message_queue.get()
|
151
|
+
|
152
|
+
print(f"Type: {message.message_type.decode()}, Timestamp: {message.timestamp}")
|
153
|
+
|
154
|
+
if isinstance(message, AddOrderMessage):
|
155
|
+
print(f" Add Order: Ref={message.order_reference_number}, "
|
156
|
+
f"Stock={message.stock.decode().strip()}, Price={message.decode_price('price')}")
|
157
|
+
|
158
|
+
# Use the decoded representation
|
159
|
+
decoded_msg = message.decode(prefix="Decoded")
|
160
|
+
print(f" Decoded: {decoded_msg}")
|
161
|
+
|
162
|
+
```
|
163
|
+
|
164
|
+
## Supported Message Types
|
165
|
+
|
166
|
+
The parser supports the following ITCH 5.0 message types. Each message object has attributes corresponding to the fields defined in the specification. Refer to the class docstrings in `itch.messages` for detailed attribute descriptions.
|
167
|
+
|
168
|
+
| Type (Byte) | Class Name | Description |
|
169
|
+
| :---------- | :-------------------------------- | :----------------------------------------------- |
|
170
|
+
| `S` | `SystemEventMessage` | System Event Message |
|
171
|
+
| `R` | `StockDirectoryMessage` | Stock Directory Message |
|
172
|
+
| `H` | `StockTradingActionMessage` | Stock Trading Action Message |
|
173
|
+
| `Y` | `RegSHOMessage` | Reg SHO Short Sale Price Test Restricted Indicator |
|
174
|
+
| `L` | `MarketParticipantPositionMessage`| Market Participant Position message |
|
175
|
+
| `V` | `MWCBDeclineLeveMessage` | Market-Wide Circuit Breaker (MWCB) Decline Level |
|
176
|
+
| `W` | `MWCBStatusMessage` | Market-Wide Circuit Breaker (MWCB) Status |
|
177
|
+
| `K` | `IPOQuotingPeriodUpdateMessage` | IPO Quoting Period Update Message |
|
178
|
+
| `J` | `LULDAuctionCollarMessage` | LULD Auction Collar Message |
|
179
|
+
| `h` | `OperationalHaltMessage` | Operational Halt Message |
|
180
|
+
| `A` | `AddOrderNoMPIAttributionMessage` | Add Order (No MPID Attribution) |
|
181
|
+
| `F` | `AddOrderMPIDAttribution` | Add Order (MPID Attribution) |
|
182
|
+
| `E` | `OrderExecutedMessage` | Order Executed Message |
|
183
|
+
| `C` | `OrderExecutedWithPriceMessage` | Order Executed With Price Message |
|
184
|
+
| `X` | `OrderCancelMessage` | Order Cancel Message |
|
185
|
+
| `D` | `OrderDeleteMessage` | Order Delete Message |
|
186
|
+
| `U` | `OrderReplaceMessage` | Order Replace Message |
|
187
|
+
| `P` | `NonCrossTradeMessage` | Trade Message (Non-Cross) |
|
188
|
+
| `Q` | `CrossTradeMessage` | Cross Trade Message |
|
189
|
+
| `B` | `BrokenTradeMessage` | Broken Trade / Order Execution Message |
|
190
|
+
| `I` | `NOIIMessage` | Net Order Imbalance Indicator (NOII) Message |
|
191
|
+
| `N` | `RetailPriceImprovementIndicator` | Retail Price Improvement Indicator (RPII) |
|
192
|
+
| `O` | `DLCRMessage` | Direct Listing with Capital Raise Message |
|
193
|
+
|
194
|
+
## Data Representation
|
195
|
+
|
196
|
+
* **Base Class:** All message classes inherit from `itch.messages.MarketMessage`. This base class provides common attributes like `message_type`, `description`, `stock_locate`, `tracking_number`, and `timestamp`.
|
197
|
+
* **Timestamp:** Timestamps are stored as 64-bit integers representing nanoseconds since midnight. The `set_timestamp` and `split_timestamp` methods handle the conversion from/to the 6-byte representation used in the raw messages.
|
198
|
+
* **Prices:** Price fields (e.g., `price`, `execution_price`, `level1_price`) are stored as integers in the raw message objects. Use the `message.decode_price('attribute_name')` method to get the correctly scaled floating-point value (usually 4 or 8 decimal places, defined by `message.price_precision`).
|
199
|
+
* **Strings:** Alpha fields are stored as `bytes`. The `.decode()` method converts these to ASCII strings and removes right-padding spaces.
|
200
|
+
* **Decoded Objects:** The `message.decode()` method returns a standard Python `dataclass` instance. This provides a clean, immutable, and easily inspectable representation of the message content with correct data types (float for prices, string for text).
|
201
|
+
|
202
|
+
## Contributing
|
203
|
+
|
204
|
+
Contributions are welcome! If you find a bug, have a suggestion, or want to add a feature:
|
205
|
+
|
206
|
+
1. **Check Issues:** See if an issue for your topic already exists.
|
207
|
+
2. **Open an Issue:** If not, open a new issue describing the bug or feature request.
|
208
|
+
3. **Fork and Branch:** Fork the repository and create a new branch for your changes.
|
209
|
+
4. **Implement Changes:** Make your code changes, ensuring adherence to the ITCH 5.0 specification. Add tests if applicable.
|
210
|
+
5. **Submit Pull Request:** Open a pull request from your branch to the main repository, referencing the relevant issue.
|
211
|
+
|
212
|
+
## License
|
213
|
+
|
214
|
+
This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details.
|
215
|
+
|
216
|
+
## References
|
217
|
+
* **Nasdaq TotalView-ITCH 5.0 Specification:** The official [documentation](https://www.nasdaqtrader.com/content/technicalsupport/specifications/dataproducts/NQTVITCHspecification.pdf) is the definitive source for protocol details.
|
@@ -0,0 +1,9 @@
|
|
1
|
+
itch/__init__.py,sha256=dDZxG37vg_z0nHAcdP1U1qDwneSZwVZsFHUBya57Pos,346
|
2
|
+
itch/indicators.py,sha256=-4LJpga7foAcVz1cJnUy4tsIwZO8AtUlRp5Qq79_9xE,6748
|
3
|
+
itch/messages.py,sha256=6pEf2mAkeHozBq5GqgBiRqGBLZeA8uJUAQrjqx6TWQk,63481
|
4
|
+
itch/parser.py,sha256=7SOfZZN9E8ApAK6Vsy94c0VBa-olZ1vq6YgZ0PNA10g,6391
|
5
|
+
itchfeed-1.0.0.dist-info/licenses/LICENSE,sha256=gpnhiId0PkFDCAB3XYbwhFHhw_J0AZ5pey1ntsjxDkk,1110
|
6
|
+
itchfeed-1.0.0.dist-info/METADATA,sha256=WkE4w13zoNiACriXCxMJ1x3qiADx8yB11bJQsYA1p3Y,11933
|
7
|
+
itchfeed-1.0.0.dist-info/WHEEL,sha256=SmOxYU7pzNKBqASvQJ7DjX3XGUF92lrGhMb3R6_iiqI,91
|
8
|
+
itchfeed-1.0.0.dist-info/top_level.txt,sha256=xwsOYShvy3gc1rfyitCTgSxBZDGG1y6bfQxkdhIGmEM,5
|
9
|
+
itchfeed-1.0.0.dist-info/RECORD,,
|
@@ -0,0 +1,21 @@
|
|
1
|
+
The MIT License (MIT)
|
2
|
+
|
3
|
+
Copyright (c) 2025 Bertin Balouki SIMYELI
|
4
|
+
|
5
|
+
Permission is hereby granted, free of charge, to any person obtaining a copy
|
6
|
+
of this software and associated documentation files (the "Software"), to deal
|
7
|
+
in the Software without restriction, including without limitation the rights
|
8
|
+
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
|
9
|
+
copies of the Software, and to permit persons to whom the Software is
|
10
|
+
furnished to do so, subject to the following conditions:
|
11
|
+
|
12
|
+
The above copyright notice and this permission notice shall be included in all
|
13
|
+
copies or substantial portions of the Software.
|
14
|
+
|
15
|
+
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
|
16
|
+
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
|
17
|
+
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
|
18
|
+
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
|
19
|
+
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
|
20
|
+
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
|
21
|
+
SOFTWARE.
|
@@ -0,0 +1 @@
|
|
1
|
+
itch
|