Unnamed: 0
int64 0
0
| repo_id
stringlengths 5
186
| file_path
stringlengths 15
223
| content
stringlengths 1
32.8M
⌀ |
---|---|---|---|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/about/architecture.md | ---
sidebar_position: 5
---
# Architecture
In theory, TigerBeetle is a replicated state machine that **takes an initial starting state**
(account opening balances), and **applies a set of input events** (transfers) in deterministic
order, after first replicating these input events safely, to **arrive at a final state** (account
closing balances).
In practice, TigerBeetle is based on the [LMAX Exchange
Architecture](https://www.infoq.com/presentations/LMAX/) and makes a few improvements.
We take the same three classic LMAX steps:
1. journal incoming events safely to disk, and replicate to backup nodes, then
2. apply these events to the in-memory state, then
3. ACK to the client
And then we introduce something new:
4. delete the local journalling step entirely, and
5. replace it with parallel replication to 3/5 distributed replicas.
Our architecture then becomes three easy steps:
1. replicate incoming events safely to a quorum of distributed replicas, then
2. apply these events to the in-memory state, then
3. ACK to the client
That's how TigerBeetle **eliminates gray failure in the leader's local disk**, and how TigerBeetle
**eliminates gray failure in the network links to the replication nodes**.
Like LMAX, TigerBeetle uses a thread-per-core design for optimal performance, with strict
single-threading to enforce the single-writer principle and to avoid the costs of multi-threaded
coordinated access to data.
## Data Structures
The best way to understand TigerBeetle is through the data structures it provides. All data
structures are **fixed-size** for performance and simplicity, and there are two main kinds of data
structures, **events** and **states**.
### Events
Events are **immutable data structures** that **instantiate or mutate state data structures**:
- Events cannot be changed, not even by other events.
- Events cannot be derived and must therefore be recorded before execution.
- Events must be executed one after another –in deterministic order– to ensure replayability.
- Events may depend on past events (should they choose).
- Events cannot depend on future events.
- Events may depend on states being at an exact version (should they choose).
- Events may succeed or fail, but the result of an event is never stored in the event; it is stored
in the state instantiated or mutated by the event.
- Events can only have one immutable version, which can be referenced directly by the event's id.
- Events should be retained for auditing purposes. However, events may be drained into a separate
cold storage system once their effect has been captured in a state snapshot to compact the journal
and improve startup times.
**create_transfer**: Create a transfer between accounts (maps to a "prepare"). We group fields in
descending order of size to avoid unnecessary struct padding in C implementations.
```
create_transfer {
id: 16 bytes (128-bit)
debit_account_id: 16 bytes (128-bit)
credit_account_id: 16 bytes (128-bit)
amount: 16 bytes (128-bit) [required, an unsigned integer in the unit of value of the debit and credit accounts, which must be the same for both accounts]
pending_id: 16 bytes (128-bit) [optional, required to post or void an existing but pending transfer]
user_data_128: 16 bytes (128-bit) [optional, e.g. opaque third-party identifier to link this transfer (many-to-one) to an external entity]
user_data_64: 8 bytes ( 64-bit) [optional, e.g. opaque third-party identifier to link this transfer (many-to-one) to an external entity]
user_data_32: 4 bytes ( 32-bit) [optional, e.g. opaque third-party identifier to link this transfer (many-to-one) to an external entity]
timeout: 4 bytes ( 32-bit) [optional, required only for a pending transfer, a quantity of time, i.e. an offset in seconds from timestamp]
ledger: 4 bytes ( 32-bit) [required, to enforce isolation by ensuring that all transfers are between accounts of the same ledger]
code: 2 bytes ( 16-bit) [required, an opaque chart of accounts code describing the reason for the transfer, e.g. deposit, settlement]
flags: 2 bytes ( 16-bit) [optional, to modify the usage of the reserved field and for future feature expansion]
timestamp: 8 bytes ( 64-bit) [reserved, assigned by the leader before journalling]
} = 128 bytes (2 CPU cache lines)
```
**create_account**: Create an account.
- We use the terms `credit` and `debit` instead of "payable" or "receivable" since the meaning of a
credit balance depends on whether the account is an asset or liability or equity, income or
expense.
- A `posted` amount refers to an amount posted by a transfer.
- A `pending` amount refers to an inflight amount yet-to-be-posted by a two-phase transfer only,
where the transfer is still pending, and the transfer timeout has not yet fired. In other words,
the transfer amount has been reserved in the pending account balance (to avoid double-spending)
but not yet posted to the posted balance. The reserved amount will rollback if the transfer
ultimately fails. By default, transfers post automatically, but being able to reserve the amount
as pending and then post the amount only later can sometimes be convenient, for example, when
switching credit card payments.
- The debit balance of an account is given by adding `debits_posted` plus `debits_pending`,
likewise, for the credit balance of an account.
- The total balance of an account can be derived by subtracting the total credit balance from the
total debit balance.
- We keep both sides of the ledger (debit and credit) separate to avoid having to deal with signed
numbers and to preserve more information about the nature of an account. For example, two accounts
could have the same balance of 0, but one account could have 1,000,000 units on both sides of the
ledger, whereas another account could have 1 unit on both sides, both balancing out to 0.
- Once created, an account may be changed only through transfer events to keep an immutable paper
trail for auditing.
```
create_account {
id: 16 bytes (128-bit)
debits_pending: 16 bytes (128-bit)
debits_posted: 16 bytes (128-bit)
credits_pending: 16 bytes (128-bit)
credits_posted: 16 bytes (128-bit)
user_data_128: 16 bytes (128-bit) [optional, opaque third-party identifier to link this account (many-to-one) to an external entity]
user_data_64: 8 bytes ( 64-bit) [optional, opaque third-party identifier to link this account (many-to-one) to an external entity]
user_data_32: 4 bytes ( 32-bit) [optional, opaque third-party identifier to link this account (many-to-one) to an external entity]
reserved: 4 bytes ( 32-bit) [reserved for future accounting policy primitives]
ledger: 4 bytes ( 32-bit) [required, to enforce isolation by ensuring that all transfers are between accounts of the same ledger]
code: 2 bytes ( 16-bit) [required, an opaque chart of accounts code describing the reason for the transfer, e.g. deposit, settlement]
flags: 2 bytes ( 16-bit) [optional, net balance limits: e.g. debits_must_not_exceed_credits or credits_must_not_exceed_debits]
timestamp: 8 bytes ( 64-bit) [reserved]
} = 128 bytes (2 CPU cache lines)
```
### States
States are **data structures** that capture the results of events:
- States can always be derived by replaying all events.
TigerBeetle provides **exactly one state data structure**:
- **Account**: An account showing the effect of all transfers.
To simplify, to reduce memory copies and to reuse the wire format of event data structures as much
as possible, we reuse our `create_account` event data structure to instantiate the corresponding
state data structure.
## Protocol
The current TCP wire protocol is:
- a fixed-size header that can be used for requests or responses,
- followed by variable-length data.
```
HEADER (128 bytes)
16 bytes CHECKSUM (of remaining HEADER)
16 bytes CHECKSUM BODY
[...see src/vsr.zig for the rest of the Header definition...]
DATA (multiples of 64 bytes)
................................................................................
................................................................................
................................................................................
```
The `DATA` in **the request** for a `create_transfer` command looks like this:
```
{ create_transfer event struct }, { create_transfer event struct } etc.
```
- All event structures are appended one after the other in the `DATA`.
The `DATA` in **the response** to a `create_transfer` command looks like this:
```
{ index: integer, error: integer }, { index: integer, error: integer }, etc.
```
- Only failed `create_transfer` events emit an `error` struct in the response. We do this to
optimize the common case where most `create_transfer` events succeed.
- The `error` struct includes the `index` into the batch of the `create_transfer` event that failed
and a TigerBeetle `error` return code indicating why.
- All other `create_transfer` events succeeded.
- This `error` struct response strategy is the same for `create_account` events.
### Protocol Design Decisions
The header is a multiple of 128 bytes because we want to keep the subsequent data aligned to 64-byte
cache line boundaries. We don't want any structure to straddle multiple cache lines unnecessarily
for the sake of simplicity with respect to struct alignment and because this can have a performance
impact through false sharing.
We order the header struct as we do to keep any C protocol implementations padding-free.
We use AEGIS-128L as our checksum, designed to fully exploit the parallelism and built-in AES
support of recent Intel and ARM CPUs.
The reason we use two checksums instead of only a single checksum across header and data is that we
need a reliable way to know the size of the data to expect before we start receiving the data.
Here is an example showing the risk of a single checksum for the recipient:
1. We receive a header with a single checksum protecting both header and data.
2. We extract the SIZE of the data from the header (4 GiB in this case).
3. We cannot tell if this SIZE value is corrupt until we receive the data.
4. We wait for 4 GiB of data to arrive before calculating/comparing checksums.
5. Except the SIZE was corrupted in transit from 16 MiB to 4 GiB (2-bit flips).
6. We never detect the corruption, the connection times out, and we miss our SLA.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/upgrades.md | ---
sidebar_position: 8
---
# Upgrades
Upgrades in TigerBeetle are handled by bundling multiple underlying TigerBeetle binaries of
different versions, into a single binary, known as "Multiversion Binaries".
The idea behind multiversion binaries is to give operators a great experience when upgrading
TigerBeetle clusters:
Upgrades should be simple, involve minimal downtime and be robust, while not requiring external
coordination.
Multiple versions in a single binary are required for two reasons:
* It allows a replica to crash after the binary has been upgraded, and still come back online.
* It also allows for deployments, like Docker, where the binary is immutable and the process
has to be terminated to learn about new versions from itself.
* It allows for migrations over a range to happen easily without having to manually jump from
version to version.
The upgrade instructions look something like:
```
# SSH to each replica, in no particular order:
cd /tmp
wget https://github.com/tigerbeetle/tigerbeetle/releases/download/0.15.4/tigerbeetle-x86_64-linux.zip
unzip tigerbeetle-x86_64-linux.zip
# Put the binary on the same file system as the target, so mv is atomic.
mv tigerbeetle /usr/bin/tigerbeetle-new
mv /usr/bin/tigerbeetle /usr/bin/tigerbeetle-old
mv /usr/bin/tigerbeetle-new /usr/bin/tigerbeetle
```
When the primary determines that enough[^1] replicas have the new binary, it'll [coordinate the
upgrade](https://github.com/tigerbeetle/tigerbeetle/pull/1670).
[^1]: Currently the total number of replicas, less one.
There are three main parts to multiversion binaries: building, monitoring and executing, with
platform specific parts in each.
## Building
Physically, multiversion binaries are regular TigerBeetle ELF / PE / MachO[^2] files that have two
extra sections[^3] embedded into them - marked as `noload` so that they're not memory mapped:
* `.tb_mvh` or TigerBeetleMultiVersionHeader - a header struct containing information on past
versions embedded as well as offsets, sizes, checksums and the like.
* `.tb_mvb` or TigerBeetleMultiVersionBody - a concatenated pack of binaries. The offsets in
`.tb_mvh` refer into here.
[^2]: MachO binaries are constructed as fat binaries, using unused, esoteric CPU identifiers to
signal the header and body, for both x86_64 and arm64.
[^3]: The short names are for compatibility with Windows: PE supports up to 8 characters for
section names without getting more complicated.
These are added by an explicit objcopy step in the release process, _after_ the regular build is
done. After the epoch, the build process only needs to pull the last TigerBeetle release from
GitHub, to access its embedded pack to build its own.
### Bootstrapping
0.15.3 is considered the epoch release, but it doesn't know about any future versions of
TigerBeetle or how to read the metadata yet. This means that if the build process pulled in that
exact release, when running on a 0.15.3 data file, 0.15.3 would be executed and nothing further
would happen. There is a [special backport
release](https://github.com/tigerbeetle/tigerbeetle/pull/1935), that embeds the fact that 0.15.4 is
available to solve this problem. The release code for 0.15.4 builds this version for 0.15.3,
instead of downloading it from GitHub.
Additionally, since 0.15.3 can't read its own binary (see Monitoring below), restarting the replica
manually after copying it in is needed.
Once 0.15.4 is running, no more special cases are needed.
## Monitoring
On a 1 second timer, TigerBeetle `stat`s its binary file, looking for changes. Should anything
differ (besides `atime`) it'll re-read the binary into memory, verify checksums and metadata, and
start advertising new versions without requiring a restart.
This optimization allows skipping a potentially expensive WAL replay when upgrading: the previous
version is what will checkpoint to the new version, at which point the exec happens.
## Executing
The final step is executing into the new version of TigerBeetle. On Linux, this is handled by
`execveat` which allows executing from a `memfd`. If executing the latest release, `exec_current`
re-execs the `memfd` as-is. If executing an older release, `exec_release` copies it out of the
pack, verifies its checksum, and then executes it.
One key point is that the newest version is always what starts up and determines what version to
run.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/testing.md | ---
sidebar_position: 5
---
# Testing
Documentation for (roughly) code in the `src/testing` directory.
## VOPR Output
### Columns
1. Replica index.
2. Event:
- `$`: crash
- `^`: recover
- ` `: commit
- `[`: checkpoint start
- `]`: checkpoint done
- `>`: sync done
3. Role (according to the replica itself):
- `/`: primary
- `\`: backup
- `|`: standby
- `~`: syncing
- `#`: (crashed)
4. Status:
- The column (e.g. `. ` vs ` .`) corresponds to the replica index. (This can help identify events' replicas at a quick glance.)
- The symbol indicates the `replica.status`.
- `.`: `normal`
- `v`: `view_change`
- `r`: `recovering`
- `h`: `recovering_head`
- `s`: `sync`
5. View: e.g. `74V` indicates `replica.view=74`.
6. Checkpoint and Commit: e.g. `83/_90/_98C` indicates that:
- the highest checkpointed op at the replica is `83` (`replica.op_checkpoint()=83`),
- on top of that checkpoint, the replica applied ops up to and including `90` (`replica.commit_min=90`),
- replica knows that ops at least up to `98` are committed in the cluster (`replica.commit_max=98`).
7. Journal op: e.g. `87:150Jo` indicates that the minimum op in the journal is `87` and the maximum is `150`.
8. Journal faulty/dirty: `0/1Jd` indicates that the journal has 0 faulty headers and 1 dirty headers.
9. WAL prepare ops: e.g. `85:149Wo` indicates that the op of the oldest prepare in the WAL is `85` and the op of the newest prepare in the WAL is `149`.
10. Syncing ops: e.g. `<0:123>` indicates that `vsr_state.sync_op_min=0` and `vsr_state.sync_op_max=123`.
11. Release version: e.g. `v1:2` indicates that the replica is running release version `1`, and that its maximum available release is `2`.
12. Grid blocks acquired: e.g. `167Ga` indicates that the grid has `167` blocks currently in use.
13. Grid blocks queued `grid.read_remote_queue`: e.g. `0G!` indicates that there are `0` reads awaiting remote fulfillment.
14. Grid blocks queued `grid_blocks_missing`: e.g. `0G?` indicates that there are `0` blocks awaiting remote repair.
15. Pipeline prepares (primary-only): e.g. `1/4Pp` indicates that the primary's pipeline has 2 prepares queued, out of a capacity of 4.
16. Pipeline requests (primary-only): e.g. `0/3Pq` indicates that the primary's pipeline has 0 requests queued, out of a capacity of 3.
### Example
(The first line labels the columns, but is not part of the actual VOPR output).
```
1 2 3 4-------- 5--- 6---------- 7------- 8----- 9------- 10----- 11-- 12----- 13- 14- 15--- 16---
3 [ / . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G? 0/4Pp 0/3Rq
4 ^ \ . 2V 23/_23/_46C 19:_50Jo 0/_0J! 19:_50Wo <__0:__0> v1:2 nullGa 0G! 0G?
2 \ . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
2 [ \ . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
6 | . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
6 [ | . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
3 ] / . 3V 95/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 167Ga 0G! 0G? 0/4Pp 0/3Rq
2 ] \ . 3V 95/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 167Ga 0G! 0G?
1 \ . 3V 71/_99/_99C 68:_99Jo 0/_1J! 67:_98Wo <__0:__0> v1:2 183Ga 0G! 0G?
1 [ \ . 3V 71/_99/_99C 68:_99Jo 0/_1J! 67:_98Wo <__0:__0> v1:2 183Ga 0G! 0G?
5 | . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
5 [ | . 3V 71/_99/_99C 68:_99Jo 0/_0J! 68:_99Wo <__0:__0> v1:2 183Ga 0G! 0G?
```
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/vsr.md | ---
sidebar_position: 1
---
# VSR
Documentation for (roughly) code in the `src/vsr` directory.
# Glossary
Consensus:
- _checkpoint_: Ensure that all updates from the past wrap of the WAL are durable in the _grid_, then advance the replica's recovery point by updating the superblock. After a checkpoint, the checkpointed WAL entries are safe to be overwritten by the next wrap. (Sidenote: in consensus literature this is sometimes called snapshotting. But we use that term to mean something else.)
- _header_: Identifier for many kinds of messages, including each entry in the VSR log. Passed around instead of the entry when the full entry is not needed (such as view change).
- _journal_: The in-memory data structure that manages the WAL.
- _nack_: Short for negative acknowledgement. Used to determine (during a view change) which entries can be truncated from the log. See [Protocol Aware Recovery](https://www.usenix.org/system/files/conference/fast18/fast18-alagappan.pdf).
- _op_: Short for op-number. An op is assigned to each request that is submitted by the user before being stored in the log. An op is a monotonically increasing integer identifying each message to be handled by consensus. When messages with the same op in different views conflict, view change picks one version to commit. Each user batch (which may contain many batch entries) corresponds to one op. Each op is identified (once inside the VSR log) by a _header_.
- _superblock_: All local state for the replica that cannot be replicated remotely. Loss is protected against by storing `config.superblock_copies` copies of the superblock.
- _view_: A replica is _primary_ for one view. Views are monotonically increasing integers that are incremented each time a new primary is selected.
Storage:
- _zone_: The TigerBeetle data file is made up of zones. The superblock is one zone.
- _grid_: The zone on disk where LSM trees and metadata for them reside.
- _WAL_: Write-ahead log. It is implemented as two on-disk ring buffers. Entries are only overwritten after they have been checkpointed.
- _state sync_: The process of syncing checkpointed data (LSM root information, the _grid_, and the superblock freeset). When a replica lags behind the cluster far enough that their WALs no longer intersect, the lagging replica must state sync to catch up.
# Protocols
### Commands
| `vsr.Header.Command` | Source | Target | Protocols |
| ------------------------: | ------: | -----------: | ------------------------------------------------------------------------------------------------------------------------------------------ |
| `ping` | replica | replica | [Ping (Replica-Replica)](#protocol-ping-replica-replica) |
| `pong` | replica | replica | [Ping (Replica-Replica)](#protocol-ping-replica-replica) |
| `ping_client` | client | replica | [Ping (Replica-Client)](#protocol-ping-replica-client) |
| `pong_client` | replica | client | [Ping (Replica-Client)](#protocol-ping-replica-client) |
| `request` | client | primary | [Normal](#protocol-normal) |
| `prepare` | replica | backup | [Normal](#protocol-normal), [Repair WAL](#protocol-repair-wal) |
| `prepare_ok` | replica | primary | [Normal](#protocol-normal), [Repair WAL](#protocol-repair-wal) |
| `reply` | primary | client | [Normal](#protocol-normal), [Repair Client Replies](#protocol-repair-client-replies), [Sync Client Replies](#protocol-sync-client-replies) |
| `commit` | primary | backup | [Normal](#protocol-normal) |
| `start_view_change` | replica | all replicas | [Start-View-Change](#protocol-start-view-change) |
| `do_view_change` | replica | all replicas | [View-Change](#protocol-view-change) |
| `start_view` | primary | backup | [Request/Start View](#protocol-requeststart-view), [State Sync](./sync.md) |
| `request_start_view` | backup | primary | [Request/Start View](#protocol-requeststart-view) |
| `request_headers` | replica | replica | [Repair Journal](#protocol-repair-journal) |
| `request_prepare` | replica | replica | [Repair WAL](#protocol-repair-wal) |
| `request_reply` | replica | replica | [Repair Client Replies](#protocol-repair-client-replies), [Sync Client Replies](#protocol-sync-client-replies) |
| `headers` | replica | replica | [Repair Journal](#protocol-repair-journal) |
| `eviction` | primary | client | [Client](#protocol-client) |
| `request_blocks` | replica | replica | [Sync Forest](#protocol-sync-forest), [Repair Grid](#protocol-repair-grid) |
| `block` | replica | replica | [Sync Forest](#protocol-sync-forest), [Repair Grid](#protocol-repair-grid) |
### Recovery
Unlike [VRR](https://pmg.csail.mit.edu/papers/vr-revisited.pdf), TigerBeetle does not implement Recovery Protocol (see §4.3).
Instead, replicas persist their VSR state to the superblock.
This ensures that a recovering replica never backtracks to an older view (from the point of view of the cluster).
## Protocol: Ping (Replica-Replica)
Replicas send `command=ping`/`command=pong` messages to one another to synchronize clocks.
## Protocol: Ping (Replica-Client)
Clients send `command=ping_client` (and receive `command=pong_client`) messages to (from) replicas to learn the cluster's current view.
## Protocol: Normal
Normal protocol prepares and commits requests (from clients) and sends replies (to clients).
1. The client sends a `command=request` message to the primary. (If the client's view is outdated, the receiver will forward the message on to the actual primary).
2. The primary converts the `command=request` to a `command=prepare` (assigning it an `op` and `timestamp`).
3. Each replica (in a chain beginning with the primary) performs the following steps concurrently:
- Write the prepare to the WAL.
- Forward the prepare to the next replica in the chain.
4. Each replica sends a `command=prepare_ok` message to the primary once it has written the prepare to the WAL.
5. When a primary collects a [replication quorum](#quorums) of `prepare_ok`s _and_ it has committed all preceding prepares, it commits the prepare.
6. The primary replies to the client.
7. The backups are informed that the prepare was committed by either:
- a subsequent prepare, or
- a periodic `command=commit` heartbeat message.
```mermaid
sequenceDiagram
participant C0 as Client
participant R0 as Replica 0 (primary)
participant R1 as Replica 1 (backup)
participant R2 as Replica 2 (backup)
C0->>R0: Request A
R0->>+R0: Prepare A
R0->>+R1: Prepare A
R1->>+R2: Prepare A
R0->>-R0: Prepare-Ok A
R1->>-R0: Prepare-Ok A
R0->>C0: Reply A
R2->>-R0: Prepare-Ok A
```
See also:
- [VRR](https://pmg.csail.mit.edu/papers/vr-revisited.pdf) §4.1
## Protocol: Start-View-Change
Start-View-Change (SVC) protocol initiates [view-changes](#protocol-view-change) with minimal disruption.
Unlike the Start-View-Change described in [VRR](https://pmg.csail.mit.edu/papers/vr-revisited.pdf) §4.2, this protocol runs in both `status=normal` and `status=view_change` (not just `status=view_change`).
1. Depending on the replica's status:
- `status=normal` & primary: When the replica has not recently received a `prepare_ok` (and it has a prepare in flight), pause broadcasting `command=commit`.
- `status=normal` & backup: When the replica has not recently received a `command=commit`, broadcast `command=start_view_change` to all replicas (including self).
- `status=view_change`: If the replica has not completed a view-change recently, send a `command=start_view_change` to all replicas (including self).
2. (Periodically retry sending the SVC).
3. If the backup receives a `command=commit` or changes views (respectively), stop the `command=start_view_change` retries.
4. If the replica collects a [view-change quorum](#quorums) of SVC messages, transition to `status=view_change` for the next view. (That is, increment the replica's view and start sending a DVC).
This protocol approach enables liveness under asymmetric network partitions. For example, a replica which can send to the cluster but not receive may send SVCs, but if the remainder of the cluster is healthy, they will never achieve a quorum, so the view is stable. When the partition heals, the formerly-isolated replica may rejoin the original view (if it was isolated in `status=normal`) or a new view (if it was isolated in `status=view_change`).
See also:
- [Raft does not Guarantee Liveness in the face of Network Faults](https://decentralizedthoughts.github.io/2020-12-12-raft-liveness-full-omission/) ("PreVote and CheckQuorum")
- ["Consensus: Bridging Theory and Practice"](https://web.stanford.edu/~ouster/cgi-bin/papers/OngaroPhD.pdf) §6.2 "Leaders" describes periodically committing a heartbeat to detect stale leaders.
## Protocol: View-Change
A replica sends `command=do_view_change` to all replicas, with the `view` it is attempting to start.
- The _primary_ of the `view` collects a [view-change quorum](#quorums) of DVCs.
- The _backup_ of the `view` uses to `do_view_change` to update its current `view` (transitioning to `status=view_change`).
DVCs include headers from prepares which are:
- _present_: A valid header, corresponding to a valid prepare in the replica's WAL.
- _missing_: A valid header, corresponding to a prepare that the replica has not prepared/acked.
- _corrupt_: A valid header, corresponding to a corrupt prepare in the replica's WAL.
- _blank_: A placeholder (fake) header, corresponding to a header that the replica has never seen.
- _fault_: A placeholder (fake) header, corresponding to a header that the replica _may have_ prepared/acked.
If the new primary collects a _nack quorum_ of _blank_ headers for a particular possibly-uncommitted op, it truncates the log.
These cases are farther distinguished during [WAL repair](#protocol-repair-wal).
When the primary collects its DVC quorum:
1. If any DVC in the quorum is ahead of the primary by more than one checkpoint,
the new primary "forfeits" (that is, it immediately triggers another view change).
2. If any DVC in the quorum is ahead of the primary by more than one checkpoint,
and any messages in the next checkpoint are possibly committed,
the new primary forfeits.
3. The primary installs the headers to its suffix.
4. Then the primary repairs its headers. ([Protocol: Repair Journal](#protocol-repair-journal)).
5. Then the primary repairs its prepares. ([Protocol: Repair WAL](#protocol-repair-wal)) (and potentially truncates uncommitted ops).
6. Then primary commits all prepares which are not known to be uncommitted.
7. Then the primary transitions to `status=normal` and broadcasts a `command=start_view`.
## Protocol: Request/Start View
### `request_start_view`
A backup sends a `command=request_start_view` to the primary of a view when any of the following occur:
- the backup learns about a newer view via a `command=commit` message, or
- the backup learns about a newer view via a `command=prepare` message, or
- the backup discovers `commit_max` exceeds `min(op_head, op_checkpoint_next_trigger)` (during repair),
- the backup can't make progress committing and needs to state sync, or
- a replica recovers to `status=recovering_head`
### `start_view`
When a `status=normal` primary receives `command=request_start_view`, it replies with a `command=start_view`.
`command=start_view` includes:
- The view's current suffix — the headers of the latest messages in the view.
- The current checkpoint (see [State Sync](./sync.md)).
Together, the checkpoint and the view headers fully specify the logical and physical state of the view.
Upon receiving a `start_view` for the new view, the backup installs the checkpoint if needed, installs the suffix, transitions to `status=normal`, and begins repair.
A `start_view` contains the following headers (which may overlap):
- The suffix: `pipeline_prepare_queue_max` headers from the head op down.
- The "hooks": the header of any previous checkpoint triggers within our repairable range.
This helps a lagging replica catch up. (There are at most 2).
## Protocol: Repair Journal
`request_headers` and `headers` repair gaps or breaks in a replica's journal headers.
Repaired headers are a prerequisite for [repairing prepares](#protocol-repair-wal).
Because the headers are repaired backwards (from the head) by hash-chaining, it is safe for both backups and transitioning primaries.
Gaps/breaks in a replica's journal headers may occur:
- On a backup, receiving nonconsecutive ops, leaving a gap in its headers.
- On a backup, which has not finished repair.
- On a new primary during a view-change, which has not finished repair.
## Protocol: Repair WAL
The replica's journal tracks which prepares the WAL requires — i.e. headers for which either:
- no prepare was ever received, or
- the prepare was received and written, but was since discovered to be corrupt
During repair, missing/damaged prepares are requested & repaired chronologically, which:
- improves the chances that older entries will be available, i.e. not yet overwritten
- enables better pipelining of repair and commit.
In response to a `request_prepare`:
- Reply the `command=prepare` with the requested prepare, if available and valid.
- Otherwise do not reply. (e.g. the corresponding slot in the WAL is corrupt)
Per [PAR's CTRL Protocol](https://www.usenix.org/system/files/conference/fast18/fast18-alagappan.pdf), we do not nack corrupt entries, since they _might_ be the prepare being requested.
See also [State Sync](./sync.md) protocol — the extent of WAL that the replica can/should repair
depends on the checkpoint.
## Protocol: Repair Client Replies
The replica stores the latest reply to each active client.
During repair, corrupt client replies are requested & repaired.
In response to a `request_reply`:
- Respond with the `command=reply` (the requested reply), if available and valid.
- Otherwise do not reply.
## Protocol: Client
1. Client sends `command=request operation=register` to registers with the cluster by starting a new request-reply hashchain. (See also: [Protocol: Normal](#protocol-normal)).
2. Client receives `command=reply operation=register` from the cluster. (If the cluster is at the maximum number of clients, it evicts the oldest).
3. Repeat:
1. Send `command=request` to cluster.
2. If the client has been evicted, receive `command=eviction` from the cluster. (The client must re-register before sending more requests.)
3. If the client has not been evicted, receive `command=reply` from cluster.
See also:
- [Integration: Client Session Lifecycle](../../reference/sessions.md#lifecycle)
- [Integration: Client Session Eviction](../../reference/sessions.md#eviction)
## Protocol: Repair Grid
Grid repair is triggered when a replica discovers a corrupt (or missing) grid block.
1. The repairing replica sends a `command=request_blocks` to any other replica. The message body contains a list of block `address`/`checksum`s.
2. Upon receiving a `command=request_blocks`, a replica reads its own grid to check for the requested blocks. For each matching block found, reply with the `command=block` message (the block itself).
3. Upon receiving a `command=block`, a replica writes the block to its grid, and resolves the reads that were blocked on it.
Note that _both sides_ of grid repair can run while the grid is being opened during replica startup.
That is, a replica can help other replicas repair and repair itself simultaneously.
TODO Describe state sync fallback.
## Protocol: Sync Client Replies
Sync missed client replies using [Protocol: Repair Grid](#protocol-repair-client-replies).
See [State Sync](./sync.md) for details.
## Protocol: Sync Forest
Sync missed LSM manifest and table blocks using [Protocol: Repair Grid](#protocol-repair-grid).
See [State Sync](./sync.md) for details.
## Protocol: Reconfiguration
TODO (Unimplemented)
# Quorums
- The _replication quorum_ is the minimum number of replicas required to complete a commit.
- The _view-change quorum_ is the minimum number of replicas required to complete a view-change.
- The _nack quorum_ is the minimum number of unique nacks required to truncate an uncommitted op.
With the default configuration:
| **Replica Count** | 1 | 2 | 3 | 4 | 5 | 6 |
| ---------------------: | --: | ----: | --: | --: | --: | --: |
| **Replication Quorum** | 1 | 2 | 2 | 2 | 3 | 3 |
| **View-Change Quorum** | 1 | 2 | 2 | 3 | 3 | 4 |
| **Nack Quorum** | 1 | **1** | 2 | 3 | 3 | 4 |
See also:
- `constants.quorum_replication_max` for configuration.
- [Flexible Paxos](https://fpaxos.github.io/)
## Further reading
- [Viewstamped Replication Revisited](https://pmg.csail.mit.edu/papers/vr-revisited.pdf)
- [Protocol Aware Recovery](https://www.usenix.org/system/files/conference/fast18/fast18-alagappan.pdf)
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/_category_.json | {
"label": "Internals",
"position": 8
}
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/sync.md | ---
sidebar_position: 4
---
# State Sync
State sync synchronizes the state of a lagging replica with the healthy cluster.
State sync is used when a lagging replica's log no longer intersects with the cluster's current
log — [WAL repair](./vsr.md#protocol-repair-wal) cannot catch the replica up.
(VRR refers to state sync as "state transfer", but we already have
[transfers](../../reference/transfer.md) elsewhere.)
In the context of state sync, "state" refers to:
1. the superblock `vsr_state.checkpoint`
2. the grid (manifest, free set, and client sessions blocks)
3. the grid (LSM table data; acquired blocks only)
4. client replies
State sync consists of four protocols:
- [Sync Superblock](./vsr.md#protocol-requeststart-view) (syncs 1)
- [Repair Grid](./vsr.md#protocol-repair-grid) (syncs 2)
- [Sync Forest](./vsr.md#protocol-sync-forest) (syncs 3)
- [Sync Client Replies](./vsr.md#protocol-sync-client-replies) (syncs 4)
The target of superblock-sync is the latest checkpoint of the healthy cluster. When we catch up to
the latest checkpoint (or very close to it), then we can transition back to a healthy state.
State sync is lazy — logically, sync is completed when the superblock is synced. The data
pointed to by the new superblock can be transferred on-demand.
The state (superblock) and the WAL are updated atomically — [`start_view`](./vsr.md#start_view)
message includes both.
## Glossary
Replica roles:
- _syncing replica_: A replica performing superblock-sync. (Any step within _1_-_5_ of the
[sync algorithm](#algorithm))
- _healthy replica_: A replica _not_ performing superblock-sync — part of the active cluster.
Checkpoints:
- [_checkpoint id_/_checkpoint identifier_](#checkpoint-identifier): Uniquely identifies a
particular checkpoint reproducibly across replicas. It is a hash over the entire state.
- _Durable checkpoint_: A checkpoint whose state is present on at least replication quorum different
replicas.
## Algorithm
0. [Sync is needed](#0-scenarios).
1. [Trigger sync in response to `start_view`](#1-triggers).
2. Interrupt the in-progress commit process:
2.1. Wait for write operations to finish.
2.2. Cancel potentially stalled read operations. (See `Grid.cancel()`.)
2.3. Wait for cancellation to finish.
3. Install the new checkpoint and matching headers into the superblock:
- Bump `vsr_state.checkpoint.header` to the sync target header.
- Bump `vsr_state.checkpoint.parent_checkpoint_id` to the checkpoint id that is previous to our
sync target (i.e. it isn't _our_ previous checkpoint).
- Bump `replica.commit_min`.
- Set `vsr_state.sync_op_min` to the minimum op which has not been repaired.
- Set `vsr_state.sync_op_max` to the maximum op which has not been repaired.
4. Repair [replies](./vsr.md#protocol-sync-client-replies),
[free set, client sessions, and manifest blocks](./vsr.md#protocol-repair-grid), and
[table blocks](./vsr.md#protocol-sync-forest) that were created within the `sync_op_{min,max}`
range.
5. Update the superblock with:
- Set `vsr_state.sync_op_min = 0`
- Set `vsr_state.sync_op_max = 0`
If the replica starts up with `vsr_state.sync_op_max ≠ 0`, go to step _4_.
### 0: Scenarios
Scenarios requiring state sync:
1. A replica was down/partitioned/slow for a while and the rest of the cluster moved on. The lagging
replica is too far behind to catch up via WAL repair.
2. A replica was just formatted and is being added to the cluster (i.e. via
[reconfiguration](./vsr.md#protocol-reconfiguration)). The new replica is too far behind to catch
up via WAL repair.
Deciding between between WAL repair and state sync:
* If a replica lags by more than one checkpoint behind the primary, it must use state sync.
* If a replica is on the same checkpoint as the primary, it can only repair WAL.
* If a replica is just one checkpoint behind, either WAL repair or state sync might be necessary:
* State sync is incorrect if there is only a single other replica on the next checkpoint --- the
replica that is ahead could have its state corrupted.
* WAL repair is incorrect if all reachable peer replicas have already wrapped their logs and
evicted some prepares from the preceding checkpoint.
* Summarizing, if the next checkpoint is durable (replicated on a quorum of replicas), the
lagging replica must eventually state sync.
### 1: Triggers
State sync is triggered when a replica receives a `start_view` message with a more advanced
checkpoint.
If a replica isn't making progress committing because a grid block or a prepare can't be repaired
for some time, the replica proactively sends `request_start_view` to initiate the sync (see
`repair_sync_timeout`).
## Concepts
### Syncing Replica
Syncing replicas participate in replication normally. They can append prepares, commit, and are
eligible to become primaries. In particular, a syncing replica can advance its own checkpoint as a
part of the normal commit process.
The only restriction is that syncing replicas don't contribute to their checkpoint's replication
quorum. That is, for the cluster as a whole to advance the checkpoint, there must be at least a
replication quorum of healthy replicas.
The mechanism for discovering sufficiently replicated (durable) checkpoints uses `prepare_ok`
messages. Sending a `prepare_ok` signals that the replica has a recent checkpoint fully synced. As a
consequence, observing a `commit_max` sufficiently ahead of a checkpoint signifies the durability of
the checkpoint.
For this reason, syncing replicas withhold `prepare_ok` until `commit_max` confirms that their
checkpoint is fully replicated on a quorum of different replicas. See `op_prepare_max`,
`op_prepare_ok_max` and `op_repair_min` for details.
### Checkpoint Identifier
A _checkpoint id_ is a hash of the superblock `CheckpointState`.
A checkpoint identifier is attached to the following message types:
- `command=commit`: Current checkpoint identifier of sender.
- `command=ping`: Current checkpoint identifier of sender.
- `command=prepare`: The attached checkpoint id is the checkpoint id during which the corresponding
prepare was originally prepared.
- `command=prepare_ok`: The attached checkpoint id is the checkpoint id during which the
corresponding prepare was originally prepared.
### Storage Determinism
When everything works, storage is deterministic. If non-determinism is detected (via checkpoint id
mismatches) the replica which detects the mismatch will panic. This scenario should prompt operator
investigation and manual intervention.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/cloud.md | ---
sidebar_position: 7
---
# Cloud
Tigerbeetle is [optimized for performance](../performance.md), exploiting "close to the metal"
technologies such as **Direct I/O** and **io_uring**.
This raises the question of whether or not these benefits are realised in a cloud environment where
the kernel is available to the app but where the network and the storage is virtualised.
## Direct I/O
Direct I/O eliminates memory copies between user space and the kernel within the OS, so whether the
OS is virtualized or not beyond that, Direct I/O would still be of benefit, and perhaps even more so
in a cloud environment by virtue of reducing memory pressure and freeing up the more limited
per-core memory bandwidth, especially with noisy neighbors.
A quick example, tested with Ubuntu in a VM on a Mac, we still see a 7% relative throughput
improvement for Direct I/O, regardless of whether Parallels is propagating O_DIRECT to the physical
disk, it’s still saving the cost of the memcpy to Ubuntu’s page cache (and beyond that appears to
also avoid polluting the CPU’s L1-3 cache by memcpy’ing through it - hard to be certain given all
the various memcpy() implementations).
At the same time, where cloud environments support locally attached high-performance block devices
(NVMe SSD), running local storage (as opposed to something like EBS) would definitely be preferable
if only from a performance point of view.
From a safety point of view, we haven’t yet tested whether any VMs would disregard O_DIRECT for an
NVMe device, or interpolate their own block device caching layer and mark dirty pages as clean
despite an EIO disk fault, but after a physical system reboot our hash-chaining and ongoing disk
scrubbing would at least be able to detect any issues related to this.
We are intentionally designing TigerBeetle to repair these local storage failures automatically on a
fine-grained basis using cluster redundancy.
## io_uring
In a similar way, io_uring removes (or amortizes by orders of magnitude) the cost of syscalls
between user space and the kernel, regardless of whether those are both within a virtualized
environment or not. io_uring is being developed by Jens Axboe specifically to reduce the cost of
large scale server fleets, which are typically cloud native, and there’s already been
[work done](https://www.phoronix.com/scan.php?page=news_item&px=KVM-IO-uring-Passthrough-LF2020) to
share the host’s io_uring queues with virtualized guests.
Our testing is only getting started though, we’re still building out the system end to end, so it
will be great to benchmark more performance numbers in various environments (and across cloud
providers) and share these as we go.
Credit to @tdaly61 from the Mojaloop community for prompting us with some great questions about
Tigerbeetle in the cloud.
You can read more about how we use io_uring in
[A Programmer-Friendly I/O Abstraction Over io_uring and kqueue](https://tigerbeetle.com/blog/a-friendly-abstraction-over-iouring-and-kqueue).
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/README.md | # Internals
This section collects our internal developer documentation. The
intended audience is folks who are contributing to TigerBeetle source.
It will not be particularly useful on its own for understanding
TigerBeetle at a high level.
Furthermore, it isn't particularly organized for reading. It is
primarily a reference.
## Contents
- [LSM](./lsm.md): Documentation for code (roughly) in the `src/lsm` directory.
- [VSR](./vsr.md): Documentation for code (roughly) in the `src/vsr` directory.
- [Testing](./testing.md): Documentation for code (roughly) in the `src/testing` directory.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/releases.md | ---
sidebar_position: 6
---
# Releases
How a new TigerBeetle release is made. Note that the process is being
established, so this document might not perfectly reflect reality just yet.
## What Is a Release?
TigerBeetle is distributed in binary form. There are two main reasons for this:
- to ensure correctness and rule out large classes of configuration errors, the
actual machine code must be tested.
- Zig is not stable yet. Binary releases insulate the users from this
instability and keep the language as an implementation detail.
TigerBeetle binary is released in lockstep with client libraries. At the moment,
implementation of the client libraries is tightly integrated and shares code
with TigerBeetle, requiring matching versions.
Canonical form of the "release" is a `dist/` folder with the following
artifacts:
- `tigerbeetle/` subdirectory with `.zip` archived `tigerbeetle` binaries built
for all supported architectures.
- `dotnet/` subdirectory with a Nuget package.
- `go/` subdirectory with the source code of the go client and precompiled
native libraries for all supported platforms.
- `java/` subdirectory with a `.jar` file.
- `node/` subdirectory with a `.tgz` package for npm.
## Publishing
Release artifacts are uploaded to appropriate package registries. GitHub release
is used for synchronization:
- a draft release is created at the start of the publishing process,
- artifacts are uploaded to GitHub releases, npm, Maven Central, and Nuget. For
Go, a new commit is pushed to <https://github.com/tigerbeetle/tigerbeetle-go>
- if publishing to all registries were successfully, the release is marked as
non-draft.
All publishing keys are stored as GitHub Actions in the `release` environment.
## Versioning
Because releases are frequent, we avoid specifying the version in the source
code. The source of truth for version is the CHANGELOG.md file. The version at
the top becomes the version of the new release.
## Changelog
Purposes of the changelog:
- For everyone: give project a visible "pulse".
- For TigerBeetle developers: tell fine grained project evolution story, form
shared context, provide material for the monthly newsletter.
- For TigerBeetle users: inform about all visible and potentially relevant
changes.
As such:
- Consider skipping over trivial changes in the changelog.
- Don't skip over meaningful changes of the internals, even if they are not
externally visible.
- If there is a story behind a series of pull requests, tell it.
- And don't forget the TigerTrack of the week!
## Release Logistics
Releases are triggered manually, on Monday. Default release rotation is on the
devhub: <https://tigerbeetle.github.io/tigerbeetle/>.
The middle name is the default release manager for the _current_ week. They should execute [Release
Manager Algorithm](#release-manager-algorithm) on Monday. If the release manager isn't available on
Monday, a volunteer picks up that release.
## Skipping Release
Because releases are frequent, it is not a problem to skip a single release. In fact, allowing to
easily skip a release is one of the explicit purposes of the present process.
If there's any pull request that we feel pressured should land in the next release, the default
response is to land the PR under its natural pace, and skip the release instead.
Similarly, if there's a question of whether we should do a release or to skip one, the default
answer is to skip. Skipping is cheap!
If the release is skipped, the changelog is still written and merged on Monday, using the following
header: `## TigerBeetle (unreleased)`.
When the next real release happens, it should merge all the previously unreleased changes into a
single versioned changelog entry, to inform users making upgrades.
## Release Manager Algorithm
1. Open [devhub](https://tigerbeetle.github.io/tigerbeetle/) to check that:
- you are the release manager for the week
- that the vopr results look reasonable (no failures and a bunch of successful runs for recent
commits)
2. ```console
$ ./zig/zig build scripts -- changelog
```
This will update local repository to match remote, create a branch for changelog PR, and add a
scaffold of the new changelog to CHANGELOG.md. Importantly, the scaffold will contain a new
version number with patch version incremented:
```
## TigerBeetle 0.16.3 <- Double check this version.
Released 2024-08-29
- [#2256](https://github.com/tigerbeetle/tigerbeetle/pull/2256)
Build: Check zig version
- [#2248](https://github.com/tigerbeetle/tigerbeetle/pull/2248)
vopr: heal *both* wal header sectors before replica startup
### Safety And Performance
-
### Features
-
### Internals
-
### TigerTracks 🎧
- []()
```
If the current release is being skipped, replace the header with `## TigerBeetle (unreleased)`.
3. Fill in the changelog:
- categorize pull requests into three buckets.
- drop minor pull requests
- group related PRs into a single bullet point
- double-check that the version looks right
- if there are any big features in the release, write about them in the lead paragraph.
- pick the tiger track!
4. Commit the changelog and submit a pull request for review
5. After the PR is merged, push to the `release` branch:
```console
$ git fetch origin && git push origin origin/main:release
```
6. Ask someone else to approve the GitHub workflow.
7. Ping release manager for the next week in Slack.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/data_file.md | ---
sidebar_position: 2
---
# Data File
> “Just show me the tables already!”
> — probably not Fred Brooks
Each TigerBeetle replica stores all data inside a single file, called the data file (conventional
extension is `.tigerbeetle`). This document describes the high level layout of the data file. The
presentation is simplified a bit, to provide intuition without drowning the reader in details.
Consult the source code for byte-level details!
The data file is divided into several zones, with the main ones being:
- write-ahead log
- superblock
- grid
The grid forms the bulk of the data file (up to several terabytes). It is an elastic array of 64KiB
blocks:
```zig
pub const Block = [constants.block_size]u8;
pub const BlockPtr = *align(constants.sector_size) Block;
```
The grid serves as a raw storage layer. Higher level data structures (notably, the LSM tree) are
mapped to physical grid blocks. Because TigerBeetle is deterministic, the used portion of the grid
is identical across up-to-date replicas. This storage determinism is exploited to implement state
sync and repair on the level of grid blocks, see [the repair protocol](./vsr.md#protocol-repair-grid).
A grid block is identified by a pair of a `u64` index and `u128` checksum:
```zig
pub const BlockReference = struct {
index: u64,
checksum: u128,
};
```
The block checksum is stored outside of the block itself, to protect from misdirected writes. So, to
read a block, you need to know the block's index and checksum from "elsewhere", where "elsewhere" is
either a different block, or the superblock. Overall, the grid is used to implement a purely
functional, persistent (in both senses), garbage collected data structure which is updated
atomically by swapping the pointer to the root node. This is the classic copy-on-write technique
commonly used in filesystems. In fact, you can think of TigerBeetle's data file as a filesystem.
The superblock is what holds this logical "root pointer". Physically, the "root pointer" is comprised
of a couple of block references. These blocks, taken together, specify the manifests of all LSM trees.
Superblock is located at a fixed position in the data file, so, when a replica starts up, it can
read the superblock, read root block indexes and hashes from the superblock, and through those get
access to the rest of the data in the grid. Besides the manifest, superblock also references a
compressed bitset, which is itself stored in the grid, of all grid blocks which are not currently
allocated.
```zig
pub const SuperBlock = struct {
manifest_oldest: BlockReference,
manifest_newest: BlockReference,
free_set: BlockReference,
};
```
Superblock durable updates must be atomic and need to write a fair amount of data (several
megabytes). To amortize this cost, superblock is flushed to disk relatively infrequently. The normal
mode of operation is that a replica starts up, reads the current superblock and free set to memory,
then proceeds allocating and writing new grid blocks, picking up free entries from the bit set. That
is, although the replica does write freshly allocated grid blocks to disk immediately, it does not
update the superblock on disk (so the logical state reachable from the superblock stays the same).
Only after a relatively large amount of new grid blocks are written, the replica atomically writes
the new superblock, with a new free set and a new logical "root pointer" (the superblock manifest).
If the replica crashes and restarts, it starts from the previous superblock, but, due to
determinism, replaying the operations after the crash results in exactly the same on-disk and
in-memory state.
To implement atomic update of the superblock, the superblock is physically stored as 4
distinct copies on disk. After startup, replica picks the latest superblock which has at least 2
copies written. Picking just the latest copy would be wrong --- unlike the grid blocks, the
superblock stores its own checksum, and is vulnerable to misdirected reads (i.e., a misdirected read
can hide the sole latest copy).
Because the superblock (and hence, logical grid state) is updated infrequently and in bursts, it
can't represent the entirety of persistent state. The rest of the state is stored in the write-ahead
log (WAL). The WAL is a ring buffer with prepares, and represents the logical diff which should be
applied to the state represented by superblock/grid to get the actual current state of the system.
WAL inner workings are described in the [VSR documentation](./vsr.md#protocol-normal), but, on a
high-level, when a replica processes a prepare, the replica:
* writes the prepare to the WAL on disk
* applies changes from the prepare to the in-memory data structure representing the current state
* applies changes from the prepare to the pending on-disk state by allocating and writing fresh grid
blocks
When enough prepares are received, the superblock is updated to point to the accumulated-so-far new
disk state.
This covers how the three major areas of the data file -- the write-ahead log, the superblock and
the grid -- work together to represent abstract persistent logical state.
Concretely, the state of TigerBeetle is a collection (forest) of LSM trees. LSM structure is
described [in a separate document](./lsm.md), here only high level on-disk layout is discussed.
Each LSM tree stores a set of values. Values are:
* uniform in size,
* small (hundreds of bytes),
* sorted by key,
* which is embedded in the value itself (e.g, an `Account` value uses `timestamp` as a unique key).
To start from the middle, values are arranged in tables on disk. Each table represents a sorted
array of values and is physically stored in multiple blocks. Specifically:
* A table's data blocks each store a sorted array of values.
* A table's index block stores pointers to the data blocks, as well as boundary keys.
```zig
const TableDataBlock = struct {
values_sorted: [value_count_max]Value,
};
const TableIndexBlock = struct {
data_block_checksums: [data_block_count_max]u128,
data_block_indexes: [data_block_count_max]u64,
data_block_key_max: [data_block_count_max]Key,
};
const TableInfo = struct {
tree_id: u16,
index_block_index: u64,
index_block_checksum: u128,
key_min: Key,
key_max: Key,
};
```
To lookup a value in a table, binary search the index block to locate the data block which should
hold the value, then binary search inside the data block.
Table size is physically limited by a single index block which can hold only so many references to
data blocks. However, tables are further artificially limited to hold only a certain (compile-time
constant) number of entries. Tables are arranged in levels. Each subsequent level contains
exponentially more tables.
Tables in a single level are pairwise disjoint. Tables in different layers overlap, but the key LSM:
invariant is observed: values in shallow layers override values in deeper layers. This means that
all modification happen to the first (purely in-memory) level.
An asynchronous compaction process rebalances layers. Compaction removes one table from level A, finds
all tables from level A+1 that intersect that table, removes all those tables from level A+1 and
inserts the result of the intersection.
Schematically, the effect of compaction can be represented as a sequence of events:
```zig
const CompactionEvent = struct {
label: Label
table: TableInfo, // points to table's index block
};
const Label = struct {
level: u6,
event: enum(u2) { insert, update, remove },
};
```
What's more, the current state of a tree can be represented implicitly as a sequence of such
insertion and removal events, which starts from the empty set of tables. And that's exactly how it
is represented physically in a data file!
Specifically, each LSM tree is a collection of layers which is stored implicitly as log of events.
The log consists of a sequence of `ManifestBlock`s:
```zig
const ManifestBlock = struct {
previous_manifest_block: BlockReference,
labels: [entry_count_max]Label,
tables: [entry_count_max]TableInfo,
};
```
The manifest is an on-disk (in-grid) linked list, where each manifest block holds a reference to the
previous block.
The superblock then stores the oldest and newest manifest log blocks for all trees:
```zig
const Superblock = {
manifest_block_oldest_address: u64,
manifest_block_oldest_checksum: u128,
manifest_block_newest_address: u64,
manifest_block_newest_checksum: u128,
free_set_last_address: u64,
free_set_last_checksum: u128,
};
```
Tying everything together:
State is represented as a collection of LSM trees. Superblock is the root of all state. For each LSM
tree, superblock contains the pointers to the blocks constituting each tree's manifest log -- a sequence
of individual tables additions and deletions. By replaying this manifest log, it is possible to
reconstruct the manifest in memory. `Manifest` describes levels and tables of a single LSM tree. A
table is a pointer to its index block. The index block is a sorted array of pointers to data blocks.
Data blocks are sorted arrays of values.
|
0 | repos/tigerbeetle/docs/about | repos/tigerbeetle/docs/about/internals/lsm.md | ---
sidebar_position: 3
---
# LSM
Documentation for (roughly) code in the `src/lsm` directory.
# Glossary
- _bar_: `lsm_compaction_ops` beats; unit of incremental compaction.
- _beat_: `op % lsm_compaction_ops`; Single step of an incremental compaction.
- _groove_: A collection of LSM trees, storing objects and their indices.
- _immutable table_: In-memory table; one per tree. Used to periodically flush the mutable table to
disk.
- _level_: A collection of on-disk tables, numbering between `0` and `config.lsm_levels - 1` (usually `config.lsm_levels = 7`).
- _forest_: A collection of grooves.
- _manifest_: Index of table and level metadata; one per tree.
- _mutable table_: In-memory table; one per tree. All tree updates (e.g. `Tree.put`) directly modify just this table.
- _snapshot_: Sequence number which selects the queryable partition of on-disk tables.
# Tree
## Tables
A tree is a hierarchy of in-memory and on-disk tables. There are three categories of tables:
- The [mutable table](https://github.com/tigerbeetle/tigerbeetle/blob/main/src/lsm/table_memory.zig) is an in-memory table.
- Each tree has a single mutable table.
- All tree updates, inserts, and removes are applied to the mutable table.
- The mutable table's size is allocated to accommodate a full bar of updates.
- The [immutable table](https://github.com/tigerbeetle/tigerbeetle/blob/main/src/lsm/table_memory.zig) is an in-memory table.
- Each tree has a single immutable table.
- The mutable table's contents are periodically moved to the immutable table,
where they are stored while being flushed to level `0`.
- Level `0` … level `config.lsm_levels - 1` each contain an exponentially increasing number of
immutable on-disk tables.
- Each tree has as many as `config.lsm_growth_factor ^ (level + 1)` tables per level.
(`config.lsm_growth_factor` is typically 8).
- Within a given level and snapshot, the tables' key ranges are [disjoint](https://github.com/tigerbeetle/tigerbeetle/blob/main/src/lsm/manifest_level.zig).
## Compaction
Tree compaction runs to the sound of music!
Compacting LSM trees involves merging and moving tables into the next levels as needed.
To avoid write amplification stalls and bound latency, compaction is done incrementally.
A full compaction phase is denoted as a bar, using terms from music notation.
Each bar consists of `lsm_compaction_ops` beats or "compaction ticks" of work.
A compaction tick executes asynchronously immediately after every commit, with
`beat = commit.op % lsm_compaction_ops`.
A bar is split in half according to the "first" beat and "middle" beat.
The first half of the bar compacts even levels while the latter compacts odd levels.
Mutable table changes are sorted and compacted into the immutable table.
The immutable table is compacted into level 0 during the odd level half of the bar.
At any given point, there are at most `⌈levels/2⌉` compactions running concurrently.
The source level is denoted as `level_a` and the target level as `level_b`.
The last level in the LSM tree has no target level so it is never a source level.
Each compaction compacts a [single table](#compaction-selection-policy) from `level_a` into all tables in
`level_b` which intersect the `level_a` table's key range.
Invariants:
* At the end of every beat, there is space in mutable table for the next beat.
* The manifest log is compacted during every half-bar.
* The compactions' output tables are not [visible](#snapshots-and-compaction) until the compaction has finished.
1. First half-bar, first beat ("first beat"):
* Assert no compactions are currently running.
* Allow the per-level table limits to overflow if needed (for example, if we may compact a table
from level `A` to level `B`, where level `B` is already full).
* Start compactions from even levels that have reached their table limit.
* Acquire reservations from the Free Set for all blocks (upper-bound) that will be written
during this half-bar.
2. First half-bar, last beat:
* Finish ticking any incomplete even-level compactions.
* Assert on callback completion that all compactions are complete.
* Release reservations from the Free Set.
3. Second half-bar, first beat ("middle beat"):
* Assert no compactions are currently running.
* Start compactions from odd levels that have reached their table limit.
* Compact the immutable table if it contains any sorted values (it might be empty).
* Acquire reservations from the Free Set for all blocks (upper-bound) that will be written
during this half-bar.
4. Second half-bar, last beat:
* Finish ticking any incomplete odd-level and immutable table compactions.
* Assert on callback completion that all compactions are complete.
* Assert on callback completion that no level's table count overflows.
* Flush, clear, and sort mutable table values into immutable table for next bar.
* Remove input tables that are invisible to all current and persisted snapshots.
* Release reservations from the Free Set.
### Compaction Selection Policy
Compaction selects the table from level `A` which overlaps the fewest visible tables of level `B`.
For example, in the following table (with `lsm_growth_factor=2`), each table is depicted as the range of keys it includes. The tables with uppercase letters would be chosen for compaction next.
```
Level 0 A─────────────H l───────────────────────────z
Level 1 a───────e L─M o───────s u───────y
Level 2 b───d e─────h i───k l───n o─p q───s u─v w─────z
(Keys) a b c d e f g h i j k l m n o p q r s t u v w x y z
```
Links:
- [`Manifest.compaction_table`](https://github.com/tigerbeetle/tigerbeetle/blob/main/src/lsm/manifest.zig)
- [Constructing and Analyzing the LSM Compaction Design Space](http://vldb.org/pvldb/vol14/p2216-sarkar.pdf) describes the tradeoffs of various data movement policies. TigerBeetle implements the "least overlapping with parent" policy.
- [Option of Compaction Priority](https://rocksdb.org/blog/2016/01/29/compaction_pri.html)
#### Compaction Move Table
When the [selected input table](#compaction-selection-policy) from level `A` does not overlap _any_
input tables in level `B`, the input table can be "moved" to level `B`.
That is, instead of sort-merging `A` and `B`, just update the input table's metadata in the manifest.
This is referred to as the _move table_ optimization.
Where a tree performs inserts mostly in sort order, with a minimum of updates, this _move table_
optimization should enable the tree's performance to approach that of an append-only log.
#### Compaction Table Overlap
Applying [this](#compaction-selection-policy) selection policy while compacting a table
from level A to level B, what is the maximum number of level-B tables that may overlap with the
selected level-A table (i.e. the "worst case")?
Perhaps surprisingly, this is `lsm_growth_factor`:
- Tables within a level are disjoint.
- Level `B` has at most `lsm_growth_factor` times as many tables as level `A`.
- To trigger compaction, level `A`'s visible-table count exceeds
`table_count_max_for_level(lsm_growth_factor, level_a)`.
- The [selection policy](#compaction-selection-policy) chooses the table from level `A`
which overlaps the fewest visible tables in level `B`.
- If any table in level `A` overlaps _more than_ `lsm_growth_factor` tables in level `B`,
that implies the existence of a table in level `A` with _less than_ `lsm_growth_factor` overlap.
The latter table would be selected over the former.
## Snapshots
Each table has a minimum and maximum integer snapshot (`snapshot_min` and `snapshot_max`).
Each query targets a particular snapshot. A table `T` is _visible_ to a snapshot `S` when
```
T.snapshot_min ≤ S ≤ T.snapshot_max
```
and is _invisible_ to the snapshot otherwise.
Compaction does not modify tables in place — it copies data. Snapshots control and distinguish
which copies are useful, and which can be deleted. Snapshots can also be persisted, enabling
queries against past states of the tree (unimplemented; future work).
### Snapshots and Compaction
Consider the half-bar compaction beginning at op=`X` (`12`), with `lsm_compaction_ops=M` (`8`).
Each half-bar contains `N=M/2` (`4`) beats. The next half-bar begins at `Y=X+N` (`16`).
During the half-bar compaction `X`:
- `snapshot_max` of each input table is truncated to `Y-1` (`15`).
- `snapshot_min` of each output table is initialized to `Y` (`16`).
- `snapshot_max` of each output table is initialized to `∞`.
```
0 4 8 12 16 20 24 (op, snapshot)
┼───┬───┼───┬───┼───┬───┼
####
····────────X────────···· (input tables, before compaction)
····──────────── (input tables, after compaction)
Y────···· (output tables, after compaction)
```
Beginning from the next op after the compaction (`Y`; `16`):
- The output tables of the above compaction `X` are visible.
- The input tables of the above compaction `X` are invisible.
- Therefore, it will lookup from the output tables, but ignore the input tables.
- Callers must not query from the output tables of `X` before the compaction half-bar has finished
(i.e. before the end of beat `Y-1` (`15`)), since those tables are incomplete.
At this point the input tables can be removed if they are invisible to all persistent snapshots.
### Snapshot Queries
Each query targets a particular snapshot, either:
- the current snapshot (`snapshot_latest`), or
- a [persisted snapshot](#persistent-snapshots).
#### Persistent Snapshots
TODO(Persistent Snapshots): Expand this section.
### Snapshot Values
- The on-disk tables visible to a snapshot `B` do not contain the updates from the commit with op `B`.
- Rather, snapshot `B` is first visible to a prefetch from the commit with op `B`.
Consider the following diagram (`lsm_compaction_ops=8`):
```
0 4 8 12 16 20 24 28 (op, snapshot)
┼───┬───┼───┬───┼───┬───┼───┬
,,,,,,,,........
↑A ↑B ↑C
```
Compaction is driven by the commits of ops `B→C` (`16…23`). While these ops are being committed:
- Updates from ops `0→A` (`0…7`) are on-disk.
- Updates from ops `A→B` (`8…15`) are in the immutable table.
- These updates were moved to the immutable table from the immutable table at the end of op `B-1`
(`15`).
- These updates will exist in the immutable table until it is reset at the end of op `C-1` (`23`).
- Updates from ops `B→C` (`16…23`) are added to the mutable table (by the respective commit).
- `tree.lookup_snapshot_max` is `B` when committing op `B`.
- `tree.lookup_snapshot_max` is `x` when committing op `x` (for `x ∈ {16,17,…,23}`).
At the end of the last beat of the compaction bar (`23`):
- Updates from ops `0→B` (`0…15`) are on disk.
- Updates from ops `B→C` (`16…23`) are moved from the mutable table to the immutable table.
- `tree.lookup_snapshot_max` is `x` when committing op `x` (for `x ∈ {24,25,…}`).
## Manifest
The manifest is a tree's index of table locations and metadata.
Each manifest has two components:
- a single [`ManifestLog`](#manifest-log) shared by all trees and levels, and
- one [`ManifestLevel`](#manifest-level) for each on-disk level.
### Manifest Log
The manifest log is an on-disk log of all updates to the trees' table indexes.
The manifest log tracks:
- tables created as compaction output
- tables updated as compaction input (modifying their `snapshot_max`)
- tables moved between levels by compaction
- tables deleted after compaction
Updates are accumulated in-memory before being flushed:
- incrementally during compaction, or
- in their entirety during checkpoint.
The manifest log is periodically compacted to remove older entries that have been superseded by
newer entries. For example, if a table is created and later deleted, manifest log compaction
will eventually remove any reference to the table from the log blocks.
Each manifest block has a reference to the (chronologically) previous manifest block.
The superblock stores the head and tail address/checksum of this linked list.
The reference on the header of the head manifest block "dangles" – the block it references has already been compacted.
### Manifest Level
A `ManifestLevel` is an in-memory collection of the table metadata for a single level of a tree.
For a given level and snapshot, there may be gaps in the key ranges of the visible tables,
but the key ranges are disjoint.
Manifest levels are queried for tables at a target snapshot and within a key range.
#### Example
Given the `ManifestLevel` tables (with values chosen for visualization, not realism):
label A B C D E F G H I J K L M
key_min 0 4 12 16 4 8 12 26 4 25 4 16 24
key_max 3 11 15 19 7 11 15 27 7 27 11 19 27
snapshot_min 1 1 1 1 3 3 3 3 5 5 7 7 7
snapshot_max 9 3 3 7 5 7 9 5 7 7 9 9 9
A level's tables can be visualized in 2D as a partitioned rectangle:
0 1 2
0 4 8 2 6 0 4 8
9┌───┬───────┬───┬───┬───┬───┐
│ │ K │ │ L │###│ M │
7│ ├───┬───┤ ├───┤###└┬──┤
│ │ I │ │ G │ │####│ J│
5│ A ├───┤ F │ │ │####└┬─┤
│ │ E │ │ │ D │#####│H│
3│ ├───┴───┼───┤ │#####└─┤
│ │ B │ C │ │#######│
1└───┴───────┴───┴───┴───────┘
Example iterations:
visibility snapshots direction key_min key_max tables
visible 2 ascending 0 28 A, B, C, D
visible 4 ascending 0 28 A, E, F, G, D, H
visible 6 descending 12 28 J, D, G
visible 8 ascending 0 28 A, K, G, L, M
invisible 2, 4, 6 ascending 0 28 K, L, M
Legend:
- `#` represents a gap — no tables cover these keys during the snapshot.
- The horizontal axis represents the key range.
- The vertical axis represents the snapshot range.
- Each rectangle is a table within the manifest level.
- The sides of each rectangle depict:
- left: `table.key_min` (the diagram is inclusive, and the `table.key_min` is inclusive)
- right: `table.key_max` (the diagram is EXCLUSIVE, but the `table.key_max` is INCLUSIVE)
- bottom: `table.snapshot_min` (inclusive)
- top: `table.snapshot_max` (inclusive)
- (Not depicted: tables may have `table.key_min == table.key_max`.)
- (Not depicted: the newest set of tables would have `table.snapshot_max == maxInt(u64)`.)
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/hardware.md | ---
sidebar_position: 2
---
# Hardware
TigerBeetle is designed to operate and provide more than adequate performance even on commodity
hardware.
## Storage
NVMe is preferred to SSD for high performance deployments.
However, spinning rust is perfectly acceptable, especially where a cluster is expected to be long
lived, and the data file is expected to be large. There is no requirement for NVMe or SSD.
A 20 TiB disk containing a replica's data file is enough to address on the order of 50 billion
accounts or transfers. It is more important to provision sufficient storage space for a replica’s
data file than to provision high performance storage. The data file is created before the server is
initially run and grows automatically.
A replica's data file may reside on local storage or else on remote storage. The most important
concern is to ensure [independent fault domains](./deploy.md#hardware-fault-tolerance) across
replicas.
The operator may consider the use of RAID 10 to reduce the need for remote recovery if a replica's
disk fails.
## Memory
ECC memory is recommended for production deployments.
A replica requires at least 6 GiB RAM per machine. Between 16 GiB and 32 GiB or more (depending on
budget) is recommended to be allocated to each replica for caching. TigerBeetle uses static
allocation and will use exactly how much memory is explicitly allocated to it for caching via
command line argument.
## CPU
TigerBeetle requires only a single core per replica machine. TigerBeetle at present [does not
utilize more cores](../about/performance.md#single-core-by-design), but may in future.
## Multitenancy
There are no restrictions on sharing a server with other tenant processes.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/upgrading.md | ---
sidebar_position: 5
---
# Upgrading
TigerBeetle guarantees storage stability and provides forward upgradeability. In other words, data
files created by a particular past version of TigerBeetle can be migrated to any future version of
TigerBeetle.
Migration is automatic and the upgrade process is usually as simple as:
* Upgrade the replicas, by replacing the `./tigerbeetle` binary with a newer version on each
replica (they will restart automatically when needed).
* Upgrade the clients, by updating the corresponding client libraries, recompiling and redeploying
as usual.
There's no need to stop the cluster for upgrades, and the client upgrades can be rolled out
gradually as any change to the client code might.
NOTE: if you are upgrading from 0.15.3 (the first stable version), the upgrade procedure is more
involved, see the [release notes for 0.15.4](https://github.com/tigerbeetle/tigerbeetle/releases/tag/0.15.4).
## Planning for upgrades
When upgrading TigerBeetle, each release specifies two important versions:
* the oldest release that can be upgraded from and,
* the oldest supported client version.
It's critical to make sure that the release you intend to upgrade from is supported by the release
you're upgrading to. This is a hard requirement, but also a hard guarantee: if you wish to upgrade
to `0.15.20` which says it supports down to `0.15.5`, `0.15.5` _will_ work and `0.15.4` _will not_.
You will have to perform multiple upgrades in this case.
The upgrade process involves first upgrading the replicas, followed by upgrading the clients. The
client version *cannot* be newer than the replica version, and will fail with an error message if
so. Provided the supported version ranges overlap, coordinating the upgrade between clients and
replicas is not required.
Upgrading causes a short period of unavailability as the replicas restart. This is on the order of
5 seconds, and will show up as a latency spike on requests. The TigerBeetle clients will internally
retry any requests during the period.
Even though this period is short, scheduling a maintenance windows for upgrades is still
recommended, for an extra layer of safety.
Any special instructions, like that when upgrading from 0.15.3 to 0.15.4, will be explicitly
mentioned in the [changelog](https://github.com/tigerbeetle/tigerbeetle/blob/main/CHANGELOG.md)
and [release notes](https://github.com/tigerbeetle/tigerbeetle/releases).
Additionally, subscribe to [this tracking issue](https://github.com/tigerbeetle/tigerbeetle/issues/2231)
to be notified when there are breaking API/behavior changes that are visible to the client.
## Upgrading binary-based installations
If TigerBeetle is installed under `/usr/bin/tigerbeetle`, and you wish to upgrade to `0.15.4`:
```bash
# SSH to each replica, in no particular order:
cd /tmp
wget https://github.com/tigerbeetle/tigerbeetle/releases/download/0.15.4/tigerbeetle-x86_64-linux.zip
unzip tigerbeetle-x86_64-linux.zip
# Put the binary on the same file system as the target, so mv is atomic.
mv tigerbeetle /usr/bin/tigerbeetle-new
mv /usr/bin/tigerbeetle /usr/bin/tigerbeetle-old
mv /usr/bin/tigerbeetle-new /usr/bin/tigerbeetle
# Restart TigerBeetle. Only required when upgrading from 0.15.3.
# Otherwise, it will detect new versions are available and coordinate the upgrade itself.
systemctl restart tigerbeetle # or, however you are managing TigerBeetle.
```
## Upgrading Docker-based installations
If you're running TigerBeetle inside Kubernetes or Docker, update the tag that is pointed to to the
release you wish to upgrade to. Before beginning, it's strongly recommend to have a rolling deploy
strategy set up.
For example:
```
image: ghcr.io/tigerbeetle/tigerbeetle:0.15.3
```
becomes
```
image: ghcr.io/tigerbeetle/tigerbeetle:0.15.4
```
Due to the way upgrades work internally, this will restart with the new binary available, but still
running the older version. TigerBeetle will then coordinate the actual upgrade when all replicas
are ready and have the latest version available.
## Upgrading clients
Update your language's specific package management, to reference the same version of the
TigerBeetle client:
### .NET
```
dotnet add package tigerbeetle --version 0.15.4
```
### Go
```
go mod edit -require github.com/tigerbeetle/[email protected]
```
### Java
Edit your `pom.xml`:
```
<dependency>
<groupId>com.tigerbeetle</groupId>
<artifactId>tigerbeetle-java</artifactId>
<version>0.15.4</version>
</dependency>
```
### Node.js
```
npm install [email protected]
```
## Troubleshooting
### Upgrading to a newer version with incompatible clients
If a release of TigerBeetle no longer supports the client version you're using, it's still possible
to upgrade, with two options:
* Upgrade the replicas to the latest version. In this case, the clients will stop working for the
duration of the upgrade and unavailability will be extended.
* Upgrade the replicas to the latest release that supports the client version in use, then upgrade
the clients to that version. Repeat this until you're on the latest release.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/managed-service.md | ---
sidebar_position: 4
---
# Managed Service
Want to use TigerBeetle in production, along with automated disaster recovery, monitoring, and
dedicated support from the TigerBeetle team?
Let us help you get up and running faster! Contact our CEO, Joran Dirk Greef, at
<[email protected]> to set up a call.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/_category_.json | {
"label": "Operating",
"position": 4
}
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/docker.md | ---
sidebar_position: 4
---
# Docker
TigerBeetle can be run using Docker. However, it is not recommended.
TigerBeetle is distributed as a single, small, statically-linked binary. It
should be easy to run directly on the target machine. Using Docker as an
abstraction adds complexity while providing relatively little in this case.
## Image
The Docker image is available from the Github Container Registry:
<https://github.com/tigerbeetle/tigerbeetle/pkgs/container/tigerbeetle>
## Format the Data File
When using Docker, the data file must be mounted as a volume:
```shell
docker run --security-opt seccomp=unconfined \
-v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle \
format --cluster=0 --replica=0 --replica-count=1 /data/0_0.tigerbeetle
```
```console
info(io): creating "0_0.tigerbeetle"...
info(io): allocating 660.140625MiB...
```
## Run the Server
```console
docker run -it --security-opt seccomp=unconfined \
-p 3000:3000 -v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle \
start --addresses=0.0.0.0:3000 /data/0_0.tigerbeetle
```
```console
info(io): opening "0_0.tigerbeetle"...
info(main): 0: cluster=0: listening on 0.0.0.0:3000
```
## Run a Multi-Node Cluster Using Docker Compose
Format the data file for each replica:
```console
docker run --security-opt seccomp=unconfined -v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle format --cluster=0 --replica=0 --replica-count=3 /data/0_0.tigerbeetle
docker run --security-opt seccomp=unconfined -v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle format --cluster=0 --replica=1 --replica-count=3 /data/0_1.tigerbeetle
docker run --security-opt seccomp=unconfined -v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle format --cluster=0 --replica=2 --replica-count=3 /data/0_2.tigerbeetle
```
Note that the data file stores which replica in the cluster the file belongs to.
Then, create a docker-compose.yml file:
```docker-compose
version: "3.7"
##
# Note: this example might only work with linux + using `network_mode:host` because of 2 reasons:
#
# 1. When specifying an internal docker network, other containers are only available using dns based routing:
# e.g. from tigerbeetle_0, the other replicas are available at `tigerbeetle_1:3002` and
# `tigerbeetle_2:3003` respectively.
#
# 2. Tigerbeetle performs some validation of the ip address provided in the `--addresses` parameter
# and won't let us specify a custom domain name.
#
# The workaround for now is to use `network_mode:host` in the containers instead of specifying our
# own internal docker network
##
services:
tigerbeetle_0:
image: ghcr.io/tigerbeetle/tigerbeetle
command: "start --addresses=0.0.0.0:3001,0.0.0.0:3002,0.0.0.0:3003 /data/0_0.tigerbeetle"
network_mode: host
volumes:
- ./data:/data
security_opt:
- "seccomp=unconfined"
tigerbeetle_1:
image: ghcr.io/tigerbeetle/tigerbeetle
command: "start --addresses=0.0.0.0:3001,0.0.0.0:3002,0.0.0.0:3003 /data/0_1.tigerbeetle"
network_mode: host
volumes:
- ./data:/data
security_opt:
- "seccomp=unconfined"
tigerbeetle_2:
image: ghcr.io/tigerbeetle/tigerbeetle
command: "start --addresses=0.0.0.0:3001,0.0.0.0:3002,0.0.0.0:3003 /data/0_2.tigerbeetle"
network_mode: host
volumes:
- ./data:/data
security_opt:
- "seccomp=unconfined"
```
And run it:
```console
docker-compose up
```
```console
docker-compose up
Starting tigerbeetle_0 ... done
Starting tigerbeetle_2 ... done
Recreating tigerbeetle_1 ... done
Attaching to tigerbeetle_0, tigerbeetle_2, tigerbeetle_1
tigerbeetle_1 | info(io): opening "0_1.tigerbeetle"...
tigerbeetle_2 | info(io): opening "0_2.tigerbeetle"...
tigerbeetle_0 | info(io): opening "0_0.tigerbeetle"...
tigerbeetle_0 | info(main): 0: cluster=0: listening on 0.0.0.0:3001
tigerbeetle_2 | info(main): 2: cluster=0: listening on 0.0.0.0:3003
tigerbeetle_1 | info(main): 1: cluster=0: listening on 0.0.0.0:3002
tigerbeetle_0 | info(message_bus): connected to replica 1
tigerbeetle_0 | info(message_bus): connected to replica 2
tigerbeetle_1 | info(message_bus): connected to replica 2
tigerbeetle_1 | info(message_bus): connection from replica 0
tigerbeetle_2 | info(message_bus): connection from replica 0
tigerbeetle_2 | info(message_bus): connection from replica 1
tigerbeetle_0 | info(clock): 0: system time is 83ns ahead
tigerbeetle_2 | info(clock): 2: system time is 83ns ahead
tigerbeetle_1 | info(clock): 1: system time is 78ns ahead
... and so on ...
```
## Troubleshooting
### `error: PermissionDenied`
If you see this error at startup, it is likely because you are running Docker
25.0.0 or newer, which blocks io_uring by default. Set
`--security-opt seccomp=unconfined` to fix it.
### `exited with code 137`
If you see this error without any logs from TigerBeetle, it is likely that the
Linux OOMKiller is killing the process. If you are running Docker inside a
virtual machine (such as is required on Docker or Podman for macOS), try
increasing the virtual machine memory limit.
Alternatively, in a development environment, you can lower the size of the cache
so TigerBeetle uses less memory. For example, set `--cache-grid=256MiB` when
running `tigerbeetle start`.
### Debugging panics
If TigerBeetle panics and you can reproduce the panic, you can get a better
stack trace by switching to a debug image (by using the `:debug` Docker image
tag).
```console
docker run -p 3000:3000 -v $(pwd)/data:/data ghcr.io/tigerbeetle/tigerbeetle:debug \
start --addresses=0.0.0.0:3000 /data/0_0.tigerbeetle
```
### On MacOS
#### `error: SystemResources`
If you get `error: SystemResources` when running TigerBeetle in Docker on macOS,
you will need to do one of the following:
1. Run `docker run` with `--cap-add IPC_LOCK`
2. Run `docker run` with `--ulimit memlock=-1:-1`
3. Or modify the defaults in `$HOME/.docker/daemon.json` and restart the Docker
for Mac application:
```json
{
... other settings ...
"default-ulimits": {
"memlock": {
"Hard": -1,
"Name": "memlock",
"Soft": -1
}
},
... other settings ...
}
```
If you are running TigerBeetle with Docker Compose, you will need to add the
`IPC_LOCK` capability like this:
```yaml
... rest of docker-compose.yml ...
services:
tigerbeetle_0:
image: ghcr.io/tigerbeetle/tigerbeetle
command: "start --addresses=0.0.0.0:3001,0.0.0.0:3002,0.0.0.0:3003 /data/0_0.tigerbeetle"
network_mode: host
cap_add: # HERE
- IPC_LOCK # HERE
volumes:
- ./data:/data
... rest of docker-compose.yml ...
```
See https://github.com/tigerbeetle/tigerbeetle/issues/92 for discussion.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/linux.md | ---
sidebar_position: 3
---
# Deploying on Linux
## systemd
TigerBeetle includes an example
[systemd unit](https://github.com/tigerbeetle/tigerbeetle/tree/main/tools/systemd/)
for use with Linux systems that use systemd. The unit is configured to start a
single-node cluster, so you may need to adjust it for other cluster
configurations.
See the [Quick Start](../quick-start.md) for an example of how to run a single-
vs multi-node cluster.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/operating/deploy.md | ---
sidebar_position: 1
---
# Deploying for Production
A TigerBeetle **cluster** is a set of machines each running the TigerBeetle server for strict
serializability, high availability and durability. The TigerBeetle server is a single binary.
Each server operates on a single local data file.
The TigerBeetle server binary plus its single data file is called a **replica**.
A cluster guarantees strict serializability, the highest level of consistency, by automatically
electing a primary replica to order and backup transactions across replicas in the cluster.
## Fault Tolerance
**The optimal, recommended size for any production cluster is 6 replicas.**
Given a cluster of 6 replicas:
- 4/6 replicas are required to elect a new primary if the old primary fails.
- A cluster remains highly available (able to process transactions), preserving strict
serializability, provided that at least 3/6 machines have not failed (provided that the primary
has not also failed) or provided that at least 4/6 machines have not failed (if the primary also
failed and a new primary needs to be elected).
- A cluster preserves durability (surviving, detecting, and repairing corruption of any data file)
provided that the cluster remains available. If machines go offline temporarily and the cluster
becomes available again later, the cluster will be able to repair data file corruption once
availability is restored.
- A cluster will correctly remain unavailable if too many machine failures have occurred to preserve
data. In other words, TigerBeetle is designed to operate correctly or else to shut down safely if
safe operation with respect to strict serializability is no longer possible due to permanent data
loss.
### Geographic Fault Tolerance
All 6 replicas may be within the same data center (zero geographic fault tolerance), or spread
across 2 or more data centers, availability zones or regions (“sites”) for geographic fault
tolerance.
**For mission critical availability, the optimal number of sites is 3**, since each site would then
contain 2 replicas so that the loss of an entire site would not impair the availability of the
cluster.
Sites should preferably be within a few milliseconds of each other, since each transaction must be
replicated across sites before being committed.
### Hardware Fault Tolerance
It is important to ensure independent fault domains for each replica's data file, that each
replica's data file is stored on a separate disk (required), machine (required), rack (recommended),
data center (recommended) etc.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/_category_.json | {
"label": "Coding",
"position": 3
}
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/reliable-transaction-submission.md | ---
sidebar_position: 4
---
# Reliable Transaction Submission
When making payments or recording transfers, it is important to ensure that they are recorded once
and only once -- even if some parts of the system fail during the transaction.
There are some subtle gotchas to avoid, so this page describes how to submit events -- and
especially transfers -- reliably.
## The App or Browser Should Generate the ID
[`Transfer`s](../reference/transfer.md#id) and [`Account`s](../reference/account.md#id)
carry an `id` field that is used as an idempotency key to ensure the same object is not created
twice.
**The client software, such as your app or web page, that the user interacts with should generate
the `id` (not your API). This `id` should be persisted locally before submission, and the same `id`
should be used for subsequent retries.**
1. User initiates a transfer.
2. Client software (app, web page, etc) [generates the transfer `id`](./data-modeling.md#id).
3. Client software **persists the `id` in the app or browser local storage.**
4. Client software submits the transfer to your [API service](./system-architecture.md).
5. API service includes the transfer in a [request](../reference/requests/README.md).
6. TigerBeetle creates the transfer with the given `id` once and only once.
7. TigerBeetle responds to the API service.
8. The API service responds to the client software.
### Handling Network Failures
The method described above handles various potential network failures. The request may be lost
before it reaches the API service or before it reaches TigerBeetle. Or, the response may be lost on
the way back from TigerBeetle.
Generating the `id` on the client side ensures that transfers can be safely retried. The app must
use the same `id` each time the transfer is resent.
If the transfer was already created before and then retried, TigerBeetle will return the
[`exists`](../reference/requests/create_transfers.md#exists) response code. If the transfer had
not already been created, it will be created and return the
[`ok`](../reference/requests/create_transfers.md#ok).
### Handling Client Software Restarts
The method described above also handles potential restarts of the app or browser while the request
is in flight.
It is important to **persist the `id` to local storage on the client's device before submitting the
transfer**. When the app or web page reloads, it should resubmit the transfer using the same `id`.
This ensures that the operation can be safely retried even if the client app or browser restarts
before receiving the response to the operation. Similar to the case of a network failure,
TigerBeetle will respond with the [`ok`](../reference/requests/create_transfers.md#ok) if a
transfer is newly created and [`exists`](../reference/requests/create_transfers.md#exists) if an
object with the same `id` was already created.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/time.md | ---
sidebar_position: 6
---
# Time
Time is a critical component of all distributed systems and databases. Within TigerBeetle, we keep
track of two types of time: logical time and physical time.
## Logical Time
TigerBeetle uses [Viewstamped replication](https://pmg.csail.mit.edu/papers/vr-revisited.pdf) for
its consensus protocol. This ensures
[strict serializability](http://www.bailis.org/blog/linearizability-versus-serializability/) for all
operations.
## Physical Time
TigerBeetle uses physical time in addition to the logical time provided by the consensus algorithm.
Financial transactions require physical time for multiple reasons, including:
- **Liquidity** - TigerBeetle supports [Two-Phase Transfers](./two-phase-transfers.md) that reserve
funds and hold them in a pending state until they are posted, voided, or the transfer times out. A
timeout is useful to ensure that the reserved funds are not held in limbo indefinitely.
- **Compliance and Auditing** - For regulatory and security purposes, it is useful to have a
specific idea of when (in terms of wall clock time) transfers took place.
### Physical Time is Propagated Through Consensus
TigerBeetle clusters are distributed systems, so we cannot rely on all replicas in a cluster keeping
their system clocks perfectly in sync. Because of this, we "trust but verify".
In the TigerBeetle consensus protocol messages, replicas exchange timestamp information and monitor
the skew of their clock with respect to the other replicas. The system ensures that the clock skew
is within an acceptable window and may choose to stop processing transactions if the clocks are far
out of sync.
Importantly, the goal is not to reimplement or replace clock synchronization protocols, but to
verify that the cluster is operating within acceptable error bounds.
## Why TigerBeetle Manages Timestamps
Timestamps on [`Transfer`s](../reference/transfer.md#timestamp) and
[`Account`s](../reference/account.md#timestamp) are **set by the primary node** in the
TigerBeetle cluster when it receives the operation.
The primary then propagates the operations to all replicas, including the timestamps it determined.
All replicas process the state machine transitions deterministically, based on the primary's
timestamp -- _not_ based on their own system time.
Primary nodes monitor their clock skew with respect to the other replicas and may abdicate their
role as primary if they appear to be far off the rest of the cluster.
This is why the `timestamp` field must be set to `0` when operations are submitted, and it is then
set by the primary.
Similarly, the [`Transfer.timeout`](../reference/transfer.md#timeout) is given as an interval
in seconds, rather than as an absolute timestamp, because it is also managed by the primary. The
`timeout` is calculated relative to the `timestamp` when the operation arrives at the primary.
### Timestamps are Totally Ordered
All `timestamp`s within TigerBeetle are unique, immutable and
[totally ordered](http://book.mixu.net/distsys/time.html). A transfer that is created before another
transfer is guaranteed to have an earlier `timestamp` (even if they were created in the same
request).
In other systems this is also called a "physical" timestamp, "ingestion" timestamp, "record"
timestamp, or "system" timestamp.
## Further Reading
Watch this talk on
[Detecting Clock Sync Failure in Highly Available Systems](https://youtu.be/7R-Iz6sJG6Q?si=9sD2TpfD29AxUjOY)
on YouTube for more details.
You can also read the blog post
[Three Clocks are Better than One](https://tigerbeetle.com/blog/three-clocks-are-better-than-one/)
for more on how nodes determine their own time and clock skew.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/financial-accounting.md | ---
sidebar_position: 3
---
# Financial Accounting
For developers with non-financial backgrounds, TigerBeetle's use of accounting concepts like debits
and credits may be one of the trickier parts to understand. However, these concepts have been the
language of business for hundreds of years, so we promise it's worth it!
This page goes a bit deeper into debits and credits, double-entry bookkeeping, and how to think
about your accounts as part of a type system.
## Building Intuition with Two Simple Examples
If you have an outstanding loan and owe a bank $100, is your balance $100 or -$100? Conversely, if
you have $200 in your bank account, is the balance $200 or -$200?
Thinking about these two examples, we can start to build an intuition that the **positive or
negative sign of the balance depends on whose perspective we're looking from**. That $100 you owe
the bank represents a "bad" thing for you, but a "good" thing for the bank. We might think about
that same debt differently if we're doing your accounting or the bank's.
These examples also hint at the **different types of accounts**. We probably want to think about a
debt as having the opposite "sign" as the funds in your your bank account. At the same time, the
types of these accounts look different depending on whether you are considering them from the
perspective of you or the bank.
Now, back to our original questions: is the loan balance $100 or -$100 and is the bank account
balance $200 or -$200? On some level, this feels a bit arbitrary.
Wouldn't it be nice if there were some **commonly agreed-upon standards** so we wouldn't have to
make such an arbitrary decision? Yes! This is exactly what debits and credits and the financial
accounting type system provide.
## Types of Accounts
In financial accounting, there are 5 main types of accounts:
- **Asset** - what you own, which could produce income or which you could sell.
- **Liability** - what you owe to other people.
- **Equity** - value of the business owned by the owners or shareholders, or "the residual interest
in the assets of the entity after deducting all its liabilities."[^1]
- **Income** - money or things of value you receive for selling products or services, or "increases
in assets, or decreases in liabilities, that result in increases in equity, other than those
relating to contributions from holders of equity claims."[^1]
- **Expense** - money you spend to pay for products or services, or "decreases in assets, or
increases in liabilities, that result in decreases in equity, other than those relating to
distributions to holders of equity claims."[^1]
[^1]:
IFRS. _Conceptual Framework for Financial Reporting_. IFRS Foundation, 2018.
<https://www.ifrs.org/content/dam/ifrs/publications/pdf-standards/english/2021/issued/part-a/conceptual-framework-for-financial-reporting.pdf>
As mentioned above, the type of account depends on whose perspective you are doing the accounting
from. In those examples, the loan you have from the bank is liability for you, because you owe the
amount to the bank. However, that same loan is an asset from the bank's perspective. In contrast,
the money in your bank account is an asset for you but it is a liability for the bank.
Each of these major categories are further subdivided into more specific types of accounts. For
example, in your personal accounting you would separately track the cash in your physical wallet
from the funds in your checking account, even though both of those are assets. The bank would split
out mortgages from car loans, even though both of those are also assets for the bank.
## Double-Entry Bookkeeping
Categorizing accounts into different types is useful for organizational purposes, but it also
provides a key error-correcting mechanism.
Every record in our accounting is not only recorded in one place, but in two. This is double-entry
bookkeeping. Why would we do that?
Let's think about the bank loan in our example above. When you took out the loan, two things
actually happened at the same time. On the one hand, you now owe the bank $100. At the same time,
the bank gave you $100. These are the two entries that comprise the loan transaction.
From your perspective, your liability to the bank increased by $100 while your assets also increased
by $100. From the bank's perspective, their assets (the loan to you) increased by $100 while their
liabilities (the money in your bank account) also increased by $100.
Double-entry bookkeeping ensures that funds are always accounted for. Money never just appears.
**Funds always go from somewhere to somewhere.**
## Keeping Accounts in Balance
Now we understand that there are different types of accounts and every transaction will be recorded
in two (or more) accounts -- but which accounts?
The [Fundamental Accounting Equation](https://en.wikipedia.org/wiki/Accounting_equation) stipulates
that:
**Assets - Liabilities = Equity**
Using our loan example, it's no accident that the loan increases assets and liabilities at the same
time. Assets and liabilities are on the opposite sides of the equation, and both sides must be
exactly equal. Loans increase assets and liabilities equally.
Here are some other types of transactions that would affect assets, liabilities, and equity, while
maintaining this balance:
- If you withdraw $100 in cash from your bank account, your total assets stay the same. Your bank
account balance (an asset) would decrease while your physical cash (another asset) would increase.
- From the perspective of the bank, you withdrawing $100 in cash decreases their assets in the form
of the cash they give you, while also decreasing their liabilities because your bank balance
decreases as well.
- If a shareholder invests $1000 in the bank, that increases both the bank's assets and equity.
Assets, liabilities, and equity represent a point in time. The other two main categories, income and
expenses, represent flows of money in and out.
Income and expenses impact the position of the business over time. The expanded accounting equation
can be written as:
**Assets - Liabilities = Equity + Income − Expenses**
You don't need to memorize these equations (unless you're training as an accountant!). However, it
is useful to understand that those main account types lie on different sides of this equation.
## Debits and Credits vs Signed Integers
Instead of using a positive or negative integer to track a balance, TigerBeetle and double-entry
bookkeeping systems use **debits and credits**.
The two entries that give "double-entry bookkeeping" its name are the debit and the credit: every
transaction has at least one debit and at least one credit. (Note that for efficiency's sake,
TigerBeetle `Transfer`s consist of exactly one debit and one credit. These can be composed into more
complex [multi-debit, multi-credit transfers](./recipes/multi-debit-credit-transfers.md).) Which
entry is the debit and which is the credit? The answer is easy once you understand that **accounting
is a type system**. An account increases with a debit or credit according to its type.
When our example loan increases the assets and liabilities, we need to assign each of these entries
to either be a debit or a credit. At some level, this is completely arbitrary. For clarity,
accountants have used the same standards for hundreds of years:
### How Debits and Credits Increase or Decrease Account Balances
- **Assets and expenses are increased with debits, decreased with credits**
- **Liabilities, equity, and income are increased with credits, decreased with debits**
Or, in a table form:
| | Debit | Credit |
| --------- | ----- | ------ |
| Asset | + | - |
| Liability | - | + |
| Equity | - | + |
| Income | - | + |
| Expense | + | - |
From the perspective of our example bank:
- You taking out a loan debits (increases) their loan assets and credits (increases) their bank
account balance liabilities.
- You paying off the loan debits (decreases) their bank account balance liabilities and credits
(decreases) their loan assets.
- You depositing cash debits (increases) their cash assets and credits (increases) their bank
account balance liabilities.
- You withdrawing cash debits (decreases) their bank account balance liabilities and credits
(decreases) their cash assets.
Note that accounting conventions also always write the debits first, to represent the funds flowing
_from_ the debited account _to_ the credited account.
If this seems arbitrary and confusing, we understand! It's a convention, just like how most
programmers need to learn zero-based array indexing and then at some point it becomes second nature.
### Account Types and the "Normal Balance"
Some other accounting systems have the concept of a "normal balance", which would indicate whether a
given account's balance is increased by debits or credits.
When designing for TigerBeetle, we recommend thinking about account types instead of "normal
balances". This is because the type of balance follows from the type of account, but the type of
balance doesn't tell you the type of account. For example, an account might have a normal balance on
the debit side but that doesn't tell you whether it is an asset or expense.
## Takeaways
- Accounts are categorized into types. The 5 main types are asset, liability, equity, income, and
expense.
- Depending on the type of account, an increase is recorded as either a debit or a credit.
- All transfers consist of two entries, a debit and a credit. Double-entry bookkeeping ensures that
all funds come from somewhere and go somewhere.
When you get started using TigerBeetle, we would recommend writing a list of all the types of
accounts in your system that you can think of. Then, think about whether, from the perspective of
your business, each account represents an asset, liability, equity, income, or expense. That
determines whether the given type of account is increased with a debit or a credit.
## Want More Help Understanding Debits and Credits?
### Ask the Community
Have questions about debits and credits, TigerBeetle's data model, how to design your application on
top of it, or anything else?
Come join our [Community Slack](https://slack.tigerbeetle.com/invite) and ask any and all questions
you might have!
### Dedicated Consultation
Would you like the TigerBeetle team to help you design your chart of accounts and leverage the power
of TigerBeetle in your architecture?
Let us help you get it right. Contact our CEO, Joran Dirk Greef, at <[email protected]> to set
up a call.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/data-modeling.md | ---
sidebar_position: 2
---
# Data Modeling
This section describes various aspects of the TigerBeetle data model and provides some suggestions
for how you can map your application's requirements onto the data model.
## Accounts, Transfers, and Ledgers
The TigerBeetle data model consists of [`Account`s](../reference/account.md),
[`Transfer`s](../reference/transfer.md), and ledgers.
### Ledgers
Ledgers partition accounts into groups that may represent a currency or asset type or any other
logical grouping. Only accounts on the same ledger can transact directly, but you can use atomically
linked transfers to implement [currency exchange](./recipes/currency-exchange.md).
Ledgers are only stored in TigerBeetle as a numeric identifier on the
[account](../reference/account.md#ledger) and [transfer](../reference/transfer.md) data
structures. You may want to store additional metadata about each ledger in a control plane
[database](./system-architecture.md).
You can also use different ledgers to further partition accounts, beyond asset type. For example, if
you have a multi-tenant setup where you are tracking balances for your customers' end-users, you
might have a ledger for each of your customers. If customers have end-user accounts in multiple
currencies, each of your customers would have multiple ledgers.
## Debits vs Credits
TigerBeetle tracks each account's cumulative posted debits and cumulative posted credits. In
double-entry accounting, an account balance is the difference between the two — computed as either
`debits - credits` or `credits - debits`, depending on the type of account. It is up to the
application to compute the balance from the cumulative debits/credits.
From the database's perspective the distinction is arbitrary, but accounting conventions recommend
using a certain balance type for certain types of accounts.
If you are new to thinking in terms of debits and credits, read the
[deep dive on financial accounting](./financial-accounting.md) to get a better understanding of
double-entry bookkeeping and the different types of accounts.
### Debit Balances
`balance = debits - credits`
By convention, debit balances are used to represent:
- Operator's Assets
- Operator's Expenses
To enforce a positive (non-negative) debit balance, use
[`flags.credits_must_not_exceed_debits`](../reference/account.md#flagscredits_must_not_exceed_debits).
To keep an account's balance between an upper and lower bound, see the
[Balance Bounds recipe](./recipes/balance-bounds.md).
### Credit Balances
`balance = credits - debits`
By convention, credit balances are used to represent:
- Operators's Liabilities
- Equity in the Operator's Business
- Operator's Income
To enforce a positive (non-negative) credit balance, use
[`flags.debits_must_not_exceed_credits`](../reference/account.md#flagsdebits_must_not_exceed_credits).
For example, a customer account that is represented as an Operator's Liability would use this flag
to ensure that the balance cannot go negative.
To keep an account's balance between an upper and lower bound, see the
[Balance Bounds recipe](./recipes/balance-bounds.md).
### Compound Transfers
`Transfer`s in TigerBeetle debit a single account and credit a single account. You can read more
about implementing compound transfers in
[Multi-Debit, Multi-Credit Transfers](./recipes/multi-debit-credit-transfers.md).
## Fractional Amounts and Asset Scale
To maximize precision and efficiency, [`Account`](../reference/account.md) debits/credits and
[`Transfer`](../reference/transfer.md) amounts are unsigned 128-bit integers. However,
currencies are often denominated in fractional amounts.
To represent a fractional amount in TigerBeetle, **map the smallest useful unit of the fractional
currency to 1**. Consider all amounts in TigerBeetle as a multiple of that unit.
Applications may rescale the integer amounts as necessary when rendering or interfacing with other
systems. But when working with fractional amounts, calculations should be performed on the integers
to avoid loss of precision due to floating-point approximations.
### Asset Scale
When the multiplier is a power of 10 (e.g. `10 ^ n`), then the exponent `n` is referred to as an
_asset scale_. For example, representing USD in cents uses an asset scale of `2`.
#### Examples
- In USD, `$1` = `100` cents. So for example,
- The fractional amount `$0.45` is represented as the integer `45`.
- The fractional amount `$123.00` is represented as the integer `12300`.
- The fractional amount `$123.45` is represented as the integer `12345`.
### Oversized Amounts
The other direction works as well. If the smallest useful unit of a currency is `10,000,000` units,
then it can be scaled down to the integer `1`.
The 128-bit representation defines the precision, but not the scale.
### ⚠️ Asset Scales Cannot Be Easily Changed
When setting your asset scales, we recommend thinking about whether your application may _ever_
require a larger asset scale. If so, we would recommend using that larger scale from the start.
For example, it might seem natural to use an asset scale of 2 for many currencies. However, it may
be wise to use a higher scale in case you ever need to represent smaller fractions of that asset.
Accounts and transfers are immutable once created. In order to change the asset scale of a ledger,
you would need to use a different `ledger` number and duplicate all the accounts on that ledger over
to the new one.
## `user_data`
`user_data_128`, `user_data_64` and `user_data_32` are the most flexible fields in the schema (for
both [accounts](../reference/account.md) and [transfers](../reference/transfer.md)). Each
`user_data` field's contents are arbitrary, interpreted only by the application.
Each `user_data` field is indexed for efficient point and range queries.
While the usage of each field is entirely up to you, one way of thinking about each of the fields
is:
- `user_data_128` - this might store the "who" and/or "what" of a transfer. For example, it could be
a pointer to a business entity stored within the
[control plane](https://en.wikipedia.org/wiki/Control_plane) database.
- `user_data_64` - this might store a second timestamp for "when" the transaction originated in the
real world, rather than when the transfer was
[timestamped by TigerBeetle](./time.md#why-tigerbeetle-manages-timestamps). This can be used if
you need to model [bitemporality](https://en.wikipedia.org/wiki/Bitemporal_modeling).
Alternatively, if you do not need this to be used for a timestamp, you could use this field in
place of the `user_data_128` to store the "who"/"what".
- `user_data_32` - this might store the "where" of a transfer. For example, it could store the
jurisdiction where the transaction originated in the real world. In certain cases, such as for
cross-border remittances, it might not be enough to have the UTC timestamp and you may want to
know the transfer's locale.
(Note that the [`code`](#code) can be used to encode the "why" of a transfer.)
Any of the `user_data` fields can be used as a group identifier for objects that will be queried
together. For example, for multiple transfers used for
[currency exchange](./recipes/currency-exchange.md).
## `id`
The `id` field uniquely identifies each [`Account`](../reference/account.md#id) and
[`Transfer`](../reference/transfer.md#id) within the cluster.
The primary purpose of an `id` is to serve as an "idempotency key" — to avoid executing an event
twice. For example, if a client creates a transfer but the server's reply is lost, the client (or
application) will retry — the database must not transfer the money twice.
Note that `id`s are unique per cluster -- not per ledger. You should attach a separate identifier in
the [`user_data`](#user_data) field if you want to store a connection between multiple `Account`s or
multiple `Transfer`s that are related to one another. For example, different currency `Account`s
belonging to the same user or multiple `Transfer`s that are part of a
[currency exchange](./recipes/currency-exchange.md).
[TigerBeetle Time-Based Identifiers](#tigerbeetle-time-based-identifiers-recommended) are
recommended for most applications.
When selecting an `id` scheme:
- Idempotency is particularly important (and difficult) in the context of
[application crash recovery](./reliable-transaction-submission.md).
- Be careful to [avoid `id` collisions](https://en.wikipedia.org/wiki/Birthday_problem).
- An account and a transfer may share the same `id` (they belong to different "namespaces"), but
this is not recommended because other systems (that you may later connect to TigerBeetle) may use
a single "namespace" for all objects.
- Avoid requiring a central oracle to generate each unique `id` (e.g. an auto-increment field in
SQL). A central oracle may become a performance bottleneck when creating accounts/transfers.
- Sequences of identifiers with long runs of strictly increasing (or strictly decreasing) values are
amenable to optimization, leading to higher database throughput.
- Random identifiers are not recommended – they can't take advantage of all of the LSM
optimizations. (Random identifiers have ~10% lower throughput than strictly-increasing ULIDs).
### TigerBeetle Time-Based Identifiers (Recommended)
TigerBeetle recommends using a specific ID scheme for most applications. It is time-based and
lexicographically sortable. The scheme is inspired by ULIDs and UUIDv7s but is better able to take
advantage of LSM optimizations, which leads to higher database throughput.
TigerBeetle clients include an `id()` function to generate IDs using the recommended scheme.
TigerBeetle IDs consist of:
- 48 bits of (millisecond) timestamp (high-order bits)
- 80 bits of randomness (low-order bits)
When creating multiple objects during the same millisecond, we increment the random bytes rather
than generating new random bytes. Furthermore, it is important that IDs are stored in little-endian
with the random bytes as the lower-order bits and the timestamp as the higher-order bits. These
details ensure that a sequence of objects have strictly increasing IDs according to the server,
which improves database optimization.
Similar to ULIDs and UUIDv7s, these IDs have the following benefits:
- they have an insignificant risk of collision.
- they do not require a central oracle to generate.
### Reuse Foreign Identifier
This technique is most appropriate when integrating TigerBeetle with an existing application where
TigerBeetle accounts or transfers map one-to-one with an entity in the foreign database.
Set `id` to a "foreign key" — that is, reuse an identifier of a corresponding object from another
database. For example, if every user (within the application's database) has a single account, then
the identifier within the foreign database can be used as the `Account.id` within TigerBeetle.
To reuse the foreign identifier, it must conform to TigerBeetle's `id`
[constraints](../reference/account.md#id).
## `code`
The `code` identifier represents the "why" for an Account or Transfer.
On an [`Account`](../reference/account.md#code), the `code` indicates the account type, such as
assets, liabilities, equity, income, or expenses, and subcategories within those classification.
On a [`Transfer`](../reference/transfer.md#code), the `code` indicates why a given transfer is
happening, such as a purchase, refund, currency exchange, etc.
When you start building out your application on top of TigerBeetle, you may find it helpful to list
out all of the known types of accounts and movements of funds and mapping each of these to `code`
numbers or ranges.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/two-phase-transfers.md | ---
sidebar_position: 3
---
# Two-Phase Transfers
A two-phase transfer moves funds in stages:
1. Reserve funds ([pending](#reserve-funds-pending-transfer))
2. Resolve funds ([post](#post-pending-transfer), [void](#void-pending-transfer), or
[expire](#expire-pending-transfer))
The name "two-phase transfer" is a reference to the
[two-phase commit protocol for distributed transactions](https://en.wikipedia.org/wiki/Two-phase_commit_protocol).
## Reserve Funds (Pending Transfer)
A pending transfer, denoted by [`flags.pending`](../reference/transfer.md#flagspending),
reserves its `amount` in the debit/credit accounts'
[`debits_pending`](../reference/account.md#debits_pending)/[`credits_pending`](../reference/account.md#credits_pending)
fields, respectively. Pending transfers leave the `debits_posted`/`credits_posted` unmodified.
## Resolve Funds
Pending transfers can be posted, voided, or they may time out.
### Post-Pending Transfer
A post-pending transfer, denoted by
[`flags.post_pending_transfer`](../reference/transfer.md#flagspost_pending_transfer), causes a
pending transfer to "post", transferring some or all of the pending transfer's reserved amount to
its destination.
- If the posted [`amount`](../reference/transfer.md#amount) is less than the pending transfer's
amount, then only this amount is posted, and the remainder is restored to its original accounts.
- If the posted [`amount`](../reference/transfer.md#amount) is equal to the pending transfer's
amount or equal to `AMOUNT_MAX` (`2^128 - 1`), the full pending transfer's amount is posted.
- If the posted [`amount`](../reference/transfer.md#amount) is greater than the pending transfer's
amount (but less than `AMOUNT_MAX`),
[`exceeds_pending_transfer_amount`](../reference/requests/create_transfers.md#exceeds_pending_transfer_amount)
is returned.
<details>
<summary>Client < 0.16.0</summary>
- If the posted [`amount`](../reference/transfer.md#amount) is 0, the full pending transfer's
amount is posted.
- If the posted [`amount`](../reference/transfer.md#amount) is nonzero, then only this amount
is posted, and the remainder is restored to its original accounts. It must be less than or equal
to the pending transfer's amount.
</details>
Additionally, when `flags.post_pending_transfer` is set:
- [`pending_id`](../reference/transfer.md#pending_id) must reference a
[pending transfer](#reserve-funds-pending-transfer).
- [`flags.void_pending_transfer`](../reference/transfer.md#flagsvoid_pending_transfer) must not
be set.
The following fields may either be zero or they must match the value of the pending transfer's
field:
- [`debit_account_id`](../reference/transfer.md#debit_account_id)
- [`credit_account_id`](../reference/transfer.md#credit_account_id)
- [`ledger`](../reference/transfer.md#ledger)
- [`code`](../reference/transfer.md#code)
### Void-Pending Transfer
A void-pending transfer, denoted by
[`flags.void_pending_transfer`](../reference/transfer.md#flagsvoid_pending_transfer), restores
the pending amount its original accounts. Additionally, when this field is set:
- [`pending_id`](../reference/transfer.md#pending_id) must reference a
[pending transfer](#reserve-funds-pending-transfer).
- [`flags.post_pending_transfer`](../reference/transfer.md#flagspost_pending_transfer) must not
be set.
The following fields may either be zero or they must match the value of the pending transfer's
field:
- [`debit_account_id`](../reference/transfer.md#debit_account_id)
- [`credit_account_id`](../reference/transfer.md#credit_account_id)
- [`ledger`](../reference/transfer.md#ledger)
- [`code`](../reference/transfer.md#code)
### Expire Pending Transfer
A pending transfer may optionally be created with a
[timeout](../reference/transfer.md#timeout). If the timeout interval passes before the transfer
is either posted or voided, the transfer expires and the full amount is returned to the original
account.
Note that `timeout`s are given as intervals, specified in seconds, rather than as absolute
timestamps. For more details on why, read the page about [Time in TigerBeetle](./time.md).
### Errors
A pending transfer can only be posted or voided once. It cannot be posted twice or voided then
posted, etc.
Attempting to resolve a pending transfer more than once will return the applicable error result:
- [`pending_transfer_already_posted`](../reference/requests/create_transfers.md#pending_transfer_already_posted)
- [`pending_transfer_already_voided`](../reference/requests/create_transfers.md#pending_transfer_already_voided)
- [`pending_transfer_expired`](../reference/requests/create_transfers.md#pending_transfer_expired)
## Interaction with Account Invariants
The pending transfer's amount is reserved in a way that the second step in a two-phase transfer will
never cause the accounts' configured balance invariants
([`credits_must_not_exceed_debits`](../reference/account.md#flagscredits_must_not_exceed_debits)
or
[`debits_must_not_exceed_credits`](../reference/account.md#flagsdebits_must_not_exceed_credits))
to be broken, whether the second step is a post or void.
### Pessimistic Pending Transfers
If an account with
[`debits_must_not_exceed_credits`](../reference/account.md#flagsdebits_must_not_exceed_credits)
has `credits_posted = 100` and `debits_posted = 70` and a pending transfer is started causing the
account to have `debits_pending = 50`, the _pending_ transfer will fail. It will not wait to get to
_posted_ status to fail.
## All Transfers Are Immutable
To reiterate, completing a two-phase transfer (by either marking it void or posted) does not involve
modifying the pending transfer. Instead you create a new transfer.
The first transfer that is marked pending will always have its pending flag set.
The second transfer will have a
[`post_pending_transfer`](../reference/transfer.md#flagspost_pending_transfer) or
[`void_pending_transfer`](../reference/transfer.md#flagsvoid_pending_transfer) flag set and a
[`pending_id`](../reference/transfer.md#pending_id) field set to the
[`id`](../reference/transfer.md#id) of the first transfer. The
[`id`](../reference/transfer.md#id) of the second transfer will be unique, not the same
[`id`](../reference/transfer.md#id) as the initial pending transfer.
## Examples
The following examples show the state of two accounts in three steps:
1. Initially, before any transfers
2. After a pending transfer
3. And after the pending transfer is posted or voided
### Post Full Pending Amount
| Account `A` | | Account `B` | | Transfers | | | |
| ----------: | ---------: | ----------: | ---------: | :------------------- | :-------------------- | ---------: | :---------------------- |
| **debits** | | **credits** | | | | | |
| **pending** | **posted** | **pending** | **posted** | **debit_account_id** | **credit_account_id** | **amount** | **flags** |
| `w` | `x` | `y` | `z` | - | - | - | - |
| 123 + `w` | `x` | 123 + `y` | `z` | `A` | `B` | 123 | `pending` |
| `w` | 123 + `x` | `y` | 123 + `z` | `A` | `B` | 123 | `post_pending_transfer` |
### Post Partial Pending Amount
| Account `A` | | Account `B` | | Transfers | | | |
| ----------: | ---------: | ----------: | ---------: | :------------------- | :-------------------- | ---------: | :---------------------- |
| **debits** | | **credits** | | | | | |
| **pending** | **posted** | **pending** | **posted** | **debit_account_id** | **credit_account_id** | **amount** | **flags** |
| `w` | `x` | `y` | `z` | - | - | - | - |
| 123 + `w` | `x` | 123 + `y` | `z` | `A` | `B` | 123 | `pending` |
| `w` | 100 + `x` | `y` | 100 + `z` | `A` | `B` | 100 | `post_pending_transfer` |
### Void Pending Transfer
| Account `A` | | Account `B` | | Transfers | | | |
| ----------: | ---------: | ----------: | ---------: | :------------------- | :-------------------- | ---------: | :---------------------- |
| **debits** | | **credits** | | | | | |
| **pending** | **posted** | **pending** | **posted** | **debit_account_id** | **credit_account_id** | **amount** | **flags** |
| `w` | `x` | `y` | `z` | - | - | - | - |
| 123 + `w` | `x` | 123 + `y` | `z` | `A` | `B` | 123 | `pending` |
| `w` | `x` | `y` | `z` | `A` | `B` | 123 | `void_pending_transfer` |
## Client Documentation
Read more about how two-phase transfers work with each client.
- [.NET](/src/clients/dotnet/README.md#two-phase-transfers)
- [Go](/src/clients/go/README.md#two-phase-transfers)
- [Java](/src/clients/java/README.md#two-phase-transfers)
- [Node](/src/clients/node/README.md#two-phase-transfers)
## Client Samples
Or take a look at how it works with real code.
- [.NET](/src/clients/dotnet/samples/two-phase/README.md)
- [Go](/src/clients/go/samples/two-phase/README.md)
- [Java](/src/clients/java/samples/two-phase/README.md)
- [Node](/src/clients/node/samples/two-phase/README.md)
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/README.md | # Developing Applications on TigerBeetle
TigerBeetle is a domain-specific, [Online Transaction Processing (OLTP)](../about/oltp.md) database.
It has a fixed schema consisting of [`Account`s](../reference/account.md) and
[`Transfer`s](../reference/transfer.md). In return for this prescriptive design, it provides
excellent performance, integrated business logic, and powerful invariants.
Subscribe to [this tracking issue](https://github.com/tigerbeetle/tigerbeetle/issues/2231) to be
notified when there are breaking API/behavior changes that are visible to the client.
To help you get started building on TigerBeetle, here is a quick overview of the most important
concepts:
## Data Model Overview
- [`Account`s](../reference/account.md) track balances for users or other entities.
- [`Transfer`s](../reference/transfer.md) move funds between `Account`s.
- Account balances and transfer amounts are represented as debits and credits. Double-entry
bookkeeping ensures your accounting maintains consistency.
- Accounts are partitioned into [Ledgers](./data-modeling.md#ledgers), which may represent different
currencies, assets, liabilities, etc. or they may be used to support multitenancy. Only accounts
on the same ledger can transact directly, but you can use atomically
[linked transfers](../reference/requests/README.md#linked-events) to implement
[cross-currency transactions](./recipes/currency-exchange.md).
- TigerBeetle has first-class support for [two-phase transfers](./two-phase-transfers.md), which can
hold funds in a pending state and can be used to synchronize transfers with external systems.
## TigerBeetle in Your System Architecture
TigerBeetle is an Online Transaction Processing (OLTP) database built for safety and performance.
It is not a general purpose database like PostgreSQL or MySQL. Instead, TigerBeetle works alongside
your general purpose database and should be used to handle the hot path of transaction processing.
For more information relevant to integrating TigerBeetle into your system, take a look at the
following pages:
- [TigerBeetle in Your System Architecture](./system-architecture.md)
- [Time](./time.md)
## Advanced Recipes
Depending on your use case, you may find these additional design patterns helpful:
- [Currency Exchange](./recipes/currency-exchange.md)
- [Multi-Debit, Multi-Credit Transfers](./recipes/multi-debit-credit-transfers.md)
- [Closing Accounts](./recipes/close-account.md)
- [Balance-Conditional Transfers](./recipes/balance-conditional-transfers.md)
- [Balance Bounds](./recipes/balance-bounds.md)
- [Correcting Transfers](./recipes/correcting-transfers.md)
- [Rate Limiting](./recipes/rate-limiting.md)
## Want Help Developing on TigerBeetle?
### Ask the Community
Have questions about TigerBeetle's data model, how to design your application on top of it, or
anything else?
Come join our [Community Slack](https://slack.tigerbeetle.com/invite) and ask any and all questions
you might have!
### Dedicated Consultation
Would you like the TigerBeetle team to help you design your chart of accounts and leverage the power
of TigerBeetle in your architecture?
Let us help you get it right. Contact our CEO, Joran Dirk Greef, at <[email protected]> to set
up a call.
|
0 | repos/tigerbeetle/docs | repos/tigerbeetle/docs/coding/system-architecture.md | ---
sidebar_position: 1
---
# TigerBeetle in Your System Architecture
TigerBeetle is an Online Transaction Processing (OLTP) database built for safety and performance. It
is not a general purpose database like PostgreSQL or MySQL. Instead, TigerBeetle works alongside
your general purpose database, which we refer to as an Online General Purpose (OLGP) database.
TigerBeetle should be used in the data plane, or hot path of transaction processing, while your
general purpose database is used in the control plane and may be used for storing information or
metadata that is updated less frequently.

## Division of Responsibilities
**App or Website**
- Initiate transactions
- [Generate Transfer and Account IDs](./reliable-transaction-submission.md#the-app-or-browser-should-generate-the-id)
**Stateless API Service**
- Handle authentication and authorization
- Create account records in both the general purpose database and TigerBeetle when users sign up
- [Cache ledger metadata](#ledger-account-and-transfer-types)
- [Batch transfers](../reference/requests/README.md#batching-events)
- Apply exchange rates for [currency exchange](./recipes/currency-exchange.md) transactions
**General Purpose (OLGP) Database**
- Store metadata about ledgers and accounts (such as string names or descriptions)
- Store mappings between [integer type identifiers](#ledger-account-and-transfer-types) used in
TigerBeetle and string representations used by the app and API
**TigerBeetle (OLTP) Database**
- Record transfers between accounts
- Track balances for accounts
- Enforce balance limits
- Enforce financial consistency through double-entry bookkeeping
- Enforce strict serializability of events
- Optionally store pointers to records or entities in the general purpose database in the
[`user_data`](./data-modeling.md#user_data) fields
## Ledger, Account, and Transfer Types
For performance reasons, TigerBeetle stores the ledger, account, and transfer types as simple
integers. Most likely, you will want these integers to map to enums of type names or strings, along
with other associated metadata.
The mapping from the string representation of these types to the integers used within TigerBeetle
may be hard-coded into your application logic or stored in a general purpose (OLGP) database and
cached by your application. (These mappings should be immutable and append-only, so there is no
concern about cache invalidation.)
⚠️ Importantly, **initiating a transfer should not require fetching metadata from the general
purpose database**. If it does, that database will become the bottleneck and will negate the
performance gains from using TigerBeetle.
Specifically, the types of information that fit into this category include:
| Hard-coded in app or cached | In TigerBeetle |
| ------------------------------------------------------------------- | -------------------------------------------------------------------------------------------- |
| Currency or asset code's string representation (for example, "USD") | [`ledger`](./data-modeling.md#asset-scale) and [asset scale](./data-modeling.md#asset-scale) |
| Account type's string representation (for example, "cash") | [`code`](./data-modeling.md#code) |
| Transfer type's string representation (for example, "refund") | [`code`](./data-modeling.md#code) |
## Authentication
TigerBeetle does not support authentication. You should never allow untrusted users or services to
interact with it directly.
Also, untrusted processes must not be able to access or modify TigerBeetle's on-disk data file.
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/_category_.json | {
"label": "Recipes",
"position": 9
}
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/correcting-transfers.md | ---
sidebar_position: 6
---
# Correcting Transfers
[`Transfer`s](../../reference/transfer.md) in TigerBeetle are immutable, so once they are created
they cannot be modified or deleted.
Immutability is useful for creating an auditable log of all of the business events, but it does
raise the question of what to do when a transfer was made in error or some detail such as the amount
was incorrect.
## Always Add More Transfers
Correcting transfers or entries in TigerBeetle are handled with more transfers to reverse or adjust
the effects of the previous transfer(s).
This is important because adding transfers as opposed to deleting or modifying incorrect ones adds
more information to the history. The log of events includes the original error, when it took place,
as well as any attempts to correct the record and when they took place. A correcting entry might
even be wrong, in which case it itself can be corrected with yet another transfer. All of these
events form a timeline of the particular business event, which is stored permanently.
Another way to put this is that TigerBeetle is the lowest layer of the accounting stack and
represents the finest-resolution data that is stored. At a higher-level reporting layer, you can
"downsample" the data to show only the corrected transfer event. However, it would not be possible
to go back if the original record were modified or deleted.
Two specific recommendations for correcting transfers are:
1. You may want to have a [`Transfer.code`](../../reference/transfer.md#code) that indicates a given
transfer is a correction, or you may want multiple codes where each one represents a different
reason why the correction has taken place.
2. If you use the [`Transfer.user_data_128`](../../reference/transfer.md#user_data_128) to store an
ID that links multiple transfers within TigerBeetle or points to a
[record in an external database](../system-architecture.md), you may want to use the same
`user_data_128` field on the correction transfer(s), even if they happen at a later point.
### Example
Let's say you had a couple of transfers, from account `A` to accounts `Y` and `Z`:
| Ledger | Debit Account | Credit Account | Amount | `code` | `user_data_128` | `flags.linked` |
| -----: | ------------: | -------------: | -----: | -----: | --------------: | -------------: |
| USD | `A` | `X` | 10000 | 600 | 123456 | true |
| USD | `A` | `Y` | 50 | 9000 | 123456 | false |
Now, let's say we realized the amount was wrong and we need to adjust both of the amounts by 10%. We
would submit two **additional** transfers going in the opposite direction:
| Ledger | Debit Account | Credit Account | Amount | `code` | `user_data_128` | `flags.linked` |
| -----: | ------------: | -------------: | -----: | -----: | --------------: | -------------: |
| USD | `X` | `A` | 1000 | 10000 | 123456 | true |
| USD | `Y` | `A` | 5 | 10000 | 123456 | false |
Note that the codes used here don't have any actual meaning, but you would want to
[enumerate your business events](../data-modeling.md#code) and map each to a numeric code value,
including the initial reasons for transfers and the reasons they might be corrected.
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/balance-bounds.md | ---
sidebar_position: 5
---
# Balance Bounds
It is easy to limit an account's balance using either
[`flags.debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)
or
[`flags.credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits).
What if you want an account's balance to stay between an upper and a lower bound?
This is possible to check atomically using a set of linked transfers. (Note: with the
`must_not_exceed` flag invariants, an account is guaranteed to never violate those invariants. This
maximum balance approach must be enforced per-transfer -- it is possible to exceed the limit simply
by not enforcing it for a particular transfer.)
## Preconditions
1. Target Account Should Have a Limited Balance
The account whose balance you want to bound should have one of these flags set:
- [`flags.debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)
for accounts with [credit balances](../data-modeling.md#credit-balances)
- [`flags.credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits)
for accounts with [debit balances](../data-modeling.md#debit-balances)
2. Create a Control Account with the Opposite Limit
There must also be a designated control account.
As you can see below, this account will never actually take control of the target account's funds,
but we will set up simultaneous transfers in and out of the control account to apply the limit.
This account must have the opposite limit applied as the target account:
- [`flags.credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits)
if the target account has a [credit balance](../data-modeling.md#credit-balances)
- [`flags.debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)
if the target account has a [debit balance](../data-modeling.md#debit-balances)
3. Create an Operator Account
The operator account will be used to fund the Control Account.
## Executing a Transfer with a Balance Bounds Check
This consists of 5 [linked transfers](../../reference/requests/README.md#linked-events).
We will refer to two amounts:
- The **limit amount** is upper bound we want to maintain on the target account's balance.
- The **transfer amount** is the amount we want to transfer if and only if the target account's
balance after a successful transfer would be within the bounds.
### If the Target Account Has a Credit Balance
In this case, we are keeping the Destination Account's balance between the bounds.
| Transfer | Debit Account | Credit Account | Amount | Pending ID | Flags (Note: `|` sets multiple flags) |
| -------- | ------------- | -------------- | ------------ | ---------- | ------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| 1 | Source | Destination | Transfer | `0` | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 2 | Control | Operator | Limit | `0` | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 3 | Destination | Control | `AMOUNT_MAX` | `0` | [`flags.linked`](../../reference/transfer.md#flagslinked) \| [`flags.balancing_debit`](../../reference/transfer.md#flagsbalancing_debit) \| [`flags.pending`](../../reference/transfer.md#flagspending) |
| 4 | `0` | `0` | `0` | `3`\* | [`flags.linked`](../../reference/transfer.md#flagslinked) \| [`flags.void_pending_transfer`](../../reference/transfer.md#flagsvoid_pending_transfer) |
| 5 | Operator | Control | Limit | `0` | `0` |
\*This must be set to the transfer ID of the pending transfer (in this example, it is transfer 3).
### If the Target Account Has a Debit Balance
In this case, we are keeping the Destination Account's balance between the bounds.
| Transfer | Debit Account | Credit Account | Amount | Pending ID | Flags (Note `|` sets multiple flags) |
| -------- | ------------- | -------------- | ------------ | ---------- | --------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------- |
| 1 | Destination | Source | Transfer | `0` | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 2 | Operator | Control | Limit | `0` | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 3 | Control | Destination | `AMOUNT_MAX` | `0` | [`flags.balancing_credit`](../../reference/transfer.md#flagsbalancing_credit) \| [`flags.pending`](../../reference/transfer.md#flagspending) \| [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 4 | `0` | `0` | `0` | `3`\* | [`flags.void_pending_transfer`](../../reference/transfer.md#flagsvoid_pending_transfer) \| [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 5 | Control | Operator | Limit | `0` | `0` |
\*This must be set to the transfer ID of the pending transfer (in this example, it is transfer 3).
### Understanding the Mechanism
Each of the 5 transfers is [linked](../../reference/requests/README.md#linked-events) so that all of
them will succeed or all of them will fail.
The first transfer is the one we actually want to send.
The second transfer sets the Control Account's balance to the upper bound we want to impose.
The third transfer uses a [`balancing_debit`](../../reference/transfer.md#flagsbalancing_debit) or
[`balancing_credit`](../../reference/transfer.md#flagsbalancing_credit) to transfer the Destination
Account's net credit balance or net debit balance, respectively, to the Control Account. This
transfer will fail if the first transfer would put the Destination Account's balance above the upper
bound.
The third transfer is also a pending transfer, so it won't actually transfer the Destination
Account's funds, even if it succeeds.
If everything to this point succeeds, the fourth and fifth transfers simply undo the effects of the
second and third transfers. The fourth transfer voids the pending transfer. And the fifth transfer
resets the Control Account's net balance to zero.
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/multi-debit-credit-transfers.md | ---
sidebar_position: 2
---
# Multi-Debit, Multi-Credit Transfers
TigerBeetle is designed for maximum performance. In order to keep it lean, the database only
supports simple transfers with a single debit and a single credit.
However, you'll probably run into cases where you want transactions with multiple debits and/or
credits. For example, you might have a transfer where you want to extract fees and/or taxes.
Read on to see how to implement one-to-many and many-to-many transfers!
> Note that all of these examples use the
> [Linked Transfers flag (`flags.linked`)](../../reference/transfer.md#flagslinked) to ensure
> that all of the transfers succeed or fail together.
## One-to-Many Transfers
Transactions that involve multiple debits and a single credit OR a single debit and multiple credits
are relatively straightforward.
You can use multiple linked transfers as depicted below.
### Single Debit, Multiple Credits
This example debits a single account and credits multiple accounts. It uses the following accounts:
- A _source account_ `A`, on the `USD` ledger.
- Three _destination accounts_ `X`, `Y`, and `Z`, on the `USD` ledger.
| Ledger | Debit Account | Credit Account | Amount | `flags.linked` |
| -----: | ------------: | -------------: | -----: | -------------: |
| USD | `A` | `X` | 10000 | true |
| USD | `A` | `Y` | 50 | true |
| USD | `A` | `Z` | 10 | false |
### Multiple Debits, Single Credit
This example debits multiple accounts and credits a single account. It uses the following accounts:
- Three _source accounts_ `A`, `B`, and `C` on the `USD` ledger.
- A _destination account_ `X` on the `USD` ledger.
| Ledger | Debit Account | Credit Account | Amount | `flags.linked` |
| -----: | ------------: | -------------: | -----: | -------------: |
| USD | `A` | `X` | 10000 | true |
| USD | `B` | `X` | 50 | true |
| USD | `C` | `X` | 10 | false |
## Many-to-Many Transfers
Transactions with multiple debits and multiple credits are a bit more involved (but you got this!).
This is where the accounting concept of a Control Account comes in handy. We can use this as an
intermediary account, as illustrated below.
In this example, we'll use the following accounts:
- Two _source accounts_ `A` and `B` on the `USD` ledger.
- Three _destination accounts_ `X`, `Y`, and `Z`, on the `USD` ledger.
- A _compound entry control account_ `Control` on the `USD` ledger.
| Ledger | Debit Account | Credit Account | Amount | `flags.linked` |
| -----: | ------------: | -------------: | -----: | -------------: |
| USD | `A` | `Control` | 10000 | true |
| USD | `B` | `Control` | 50 | true |
| USD | `Control` | `X` | 9000 | true |
| USD | `Control` | `Y` | 1000 | true |
| USD | `Control` | `Z` | 50 | false |
Here, we use two transfers to debit accounts `A` and `B` and credit the `Control` account, and
another three transfers to credit accounts `X`, `Y`, and `Z`.
If you looked closely at this example, you may have noticed that we could have debited `B` and
credited `Z` directly because the amounts happened to line up. That is true!
For a little more extreme performance, you _might_ consider implementing logic to circumvent the
control account where possible, to reduce the number of transfers to implement a compound journal
entry.
However, if you're just getting started, you can avoid premature optimizations (we've all been
there!). You may find it easier to program these compound journal entries _always_ using a control
account -- and you can then come back to squeeze this performance out later!
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/close-account.md | ---
sidebar_position: 3
---
# Close Account
In accounting, a _closing entry_ calculates the net debit or credit balance for an account and then
credits or debits this balance respectively, to zero the account's balance and move the balance to
another account.
Additionally, it may be desirable to forbid further transfers on this account (i.e. at the end of
an accounting period, upon account termination, or even temporarily freezing the account for audit
purposes.
### Example
Given a set of accounts:
| Account | Debits Pending | Debits Posted | Credits Pending | Credits Posted | Flags |
| ------: | -------------: | ------------: | --------------: | -------------: | ----------------- |
| `A` | 0 | 10 | 0 | 20 | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)|
| `B` | 0 | 30 | 0 | 5 | [`credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits)|
| `C` | 0 | 0 | 0 | 0 | |
The "closing entries" for accounts `A` and `B` are expressed as _linked chains_, so they either
succeed or fail atomically.
- Account `A`: the linked transfers are `T1` and `T2`.
- Account `B`: the linked transfers are `T3` and `T4`.
- Account `C`: is the _control account_ and will not be closed.
| Transfer | Debit Account | Credit Account | Amount | Amount (recorded) | Flags |
| -------: | --------------: | -------------: | -----------: | ----------------: | -------------- |
| `T1` | `A` | `C` | `AMOUNT_MAX` | 10 | [`balancing_debit`](../../reference/transfer.md#flagsbalancing_debit),[`linked`](../../reference/transfer.md#flagslinked) |
| `T2` | `A` | `C` | 0 | 0 | [`closing_debit`](../../reference/transfer.md#flagsclosing_debit), [`pending`](../../reference/transfer.md#flagspending) |
| `T3` | `C` | `B` | `AMOUNT_MAX` | 25 | [`balancing_credit`](../../reference/transfer.md#flagsbalancing_credit),[`linked`](../../reference/transfer.md#flagslinked)|
| `T4` | `C` | `B` | 0 | 0 | [`closing_credit`](../../reference/transfer.md#flagsclosing_credit), [`pending`](../../reference/transfer.md#flagspending) |
- `T1` and `T3` are _balancing transfers_ with `AMOUNT_MAX` as the `Transfer.amount` so that the
application does not need to know (or query) the balance prior to closing the account.
The stored transfer's `amount` will be set to the actual amount transferred.
- `T2` and `T4` are _closing transfers_ that will cause the respective account to be closed.
The closing transfer must be also a _pending transfer_ so the action can be reversible.
After committing these transfers, `A` and `B` are closed with net balance zero, and will reject any
further transfers.
| Account | Debits Pending | Debits Posted | Credits Pending | Credits Posted | Flags |
| ------: | -------------: | ------------: | --------------: | -------------: | ----------------- |
| `A` | 0 | 20 | 0 | 20 | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits), [`closed`](../../reference/account.md#flagsclosed)|
| `B` | 0 | 30 | 0 | 30 | [`credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits), [`closed`](../../reference/account.md#flagsclosed)|
| `C` | 0 | 25 | 0 | 10 | |
To re-open the closed account, the _pending closing transfer_ can be _voided_, reverting the
closing action (but not reverting the net balance):
| Transfer | Debit Account | Credit Account | Amount | Pending Transfer | Flags |
| -------: | --------------: | -------------: | -----------: | ----------------: | -------------- |
| `T5` | `A` | `C` | 0 | `T2` | [`void_pending_transfer`](../../reference/transfer.md#flagsvoid_pending_transfer)|
| `T6` | `C` | `B` | 0 | `T4` | [`void_pending_transfer`](../../reference/transfer.md#flagsvoid_pending_transfer)|
After committing these transfers, `A` and `B` are re-opened and can accept transfers again:
| Account | Debits Pending | Debits Posted | Credits Pending | Credits Posted | Flags |
| ------: | -------------: | ------------: | --------------: | -------------: | ---------------- |
| `A` | 0 | 20 | 0 | 20 | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)|
| `B` | 0 | 30 | 0 | 30 | [`credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits)|
| `C` | 0 | 25 | 0 | 10 | |
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/balance-conditional-transfers.md | ---
sidebar_position: 4
---
# Balance-Conditional Transfers
In some use cases, you may want to execute a transfer if and only if an account has at least a
certain balance.
It would be unsafe to check an account's balance using the
[`lookup_accounts`](../../reference/requests/lookup_accounts.md) and then perform the transfer,
because these requests are not be atomic and the account's balance may change between the lookup and
the transfer.
You can atomically run a check against an account's balance before executing a transfer by using a
control or temporary account and linked transfers.
## Preconditions
### 1. Target Account Must Have a Limited Balance
The account for whom you want to do the balance check must have one of these flags set:
- [`flags.debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits)
for accounts with [credit balances](../data-modeling.md#credit-balances)
- [`flags.credits_must_not_exceed_debits`](../../reference/account.md#flagscredits_must_not_exceed_debits)
for accounts with [debit balances](../data-modeling.md#debit-balances)
### 2. Create a Control Account
There must also be a designated control account. As you can see below, this account will never
actually take control of the target account's funds, but we will set up simultaneous transfers in
and out of the control account.
## Executing a Balance-Conditional Transfer
The balance-conditional transfer consists of 3
[linked transfers](../../reference/requests/README.md#linked-events).
We will refer to two amounts:
- The **threshold amount** is the minimum amount the target account should have in order to execute
the transfer.
- The **transfer amount** is the amount we want to transfer if and only if the target account's
balance meets the threshold.
### If the Source Account Has a Credit Balance
| Transfer | Debit Account | Credit Account | Amount | Flags |
| -------- | ------------- | -------------- | --------- | -------------------------------------------------------------- |
| 1 | Source | Control | Threshold | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 2 | Control | Source | Threshold | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 3 | Source | Destination | Transfer | N/A |
### If the Source Account Has a Debit Balance
| Transfer | Debit Account | Credit Account | Amount | Flags |
| -------- | ------------- | -------------- | --------- | -------------------------------------------------------------- |
| 1 | Control | Source | Threshold | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 2 | Source | Control | Threshold | [`flags.linked`](../../reference/transfer.md#flagslinked) |
| 3 | Destination | Source | Transfer | N/A |
### Understanding the Mechanism
Each of the 3 transfers is linked, meaning they will all succeed or fail together.
The first transfer attempts to transfer the threshold amount to the control account. If this
transfer would cause the source account's net balance to go below zero, the account's balance limit
flag would ensure that the first transfer fails. If the first transfer fails, the other two linked
transfers would also fail.
If the first transfer succeeds, it means that the source account did have the threshold balance. In
this case, the second transfer will atomically transfer the threshold amount back to the source
account from the control account. Then, the third transfer would execute the desired transfer to the
ultimate destination account.
Note that in the tables above, we do the balance check on the source account. The balance check
could also be applied to the destination account instead.
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/currency-exchange.md | ---
sidebar_position: 1
---
# Currency Exchange
Some applications require multiple currencies. For example, a bank may hold balances in many
different currencies. If a single logical entity holds multiple currencies, each currency must be
held in a separate TigerBeetle `Account`. (Normalizing to a single currency at the application level
should be avoided because exchange rates fluctuate).
Currency exchange is a trade of one type of currency (denoted by the `ledger`) for another,
facilitated by an entity called the _liquidity provider_.
## Data Modeling
Distinct [`ledger`](../../reference/account.md#ledger) values denote different currencies (or
other asset types). Transfers between pairs of accounts with different `ledger`s are
[not permitted](../../reference/requests/create_transfers.md#accounts_must_have_the_same_ledger).
Instead, currency exchange is implemented by creating two
[atomically linked](../../reference/transfer.md#flagslinked) different-ledger transfers between
two pairs of same-ledger accounts.
A simple currency exchange involves four accounts:
- A _source account_ `A₁`, on ledger `1`.
- A _destination account_ `A₂`, on ledger `2`.
- A _source liquidity account_ `L₁`, on ledger `1`.
- A _destination liquidity account_ `L₂`, on ledger `2`.
and two linked transfers:
- A transfer `T₁` from the _source account_ to the _source liquidity account_.
- A transfer `T₂` from the _destination liquidity account_ to the _destination account_.
The transfer amounts vary according to the exchange rate.
- Both liquidity accounts belong to the liquidity provider (e.g. a bank or exchange).
- The source and destination accounts may belong to the same entity as one another, or different
entities, depending on the use case.
### Example
Consider sending `$100.00` from account `A₁` (denominated in USD) to account `A₂` (denominated in
INR). Assuming an exchange rate of `$1.00 = ₹82.42135`, `$100.00 = ₹8242.135`:
| Ledger | Debit Account | Credit Account | Amount | `flags.linked` |
| -----: | ------------: | -------------: | ------: | -------------: |
| USD | `A₁` | `L₁` | 10000 | true |
| INR | `L₂` | `A₂` | 8242135 | false |
- Amounts are [represented as integers](../data-modeling.md#fractional-amounts-and-asset-scale).
- Because both liquidity accounts belong to the same entity, the entity does not lose money on the
transaction.
- If the exchange rate is precise, the entity breaks even.
- If the exchange rate is not precise, the application should round in favor of the liquidity
account to deter arbitrage.
- Because the two transfers are linked together, they will either both succeed or both fail.
## Spread
In the prior example, the liquidity provider breaks even. A fee (i.e. spread) can be included in the
`linked` chain as a separate transfer from the source account to the source liquidity account (`A₁`
to `L₁`).
This is preferable to simply modifying the exchange rate in the liquidity provider's favor because
it implicitly records the exchange rate and spread at the time of the exchange — information that
cannot be derived if the two are combined.
### Example
This depicts the same scenario as the prior example, except the liquidity provider charges a `$0.10`
fee for the transaction.
| Ledger | Debit Account | Credit Account | Amount | `flags.linked` |
| -----: | ------------: | -------------: | ------: | -------------: |
| USD | `A₁` | `L₁` | 10000 | true |
| USD | `A₁` | `L₁` | 10 | true |
| INR | `L₂` | `A₂` | 8242135 | false |
|
0 | repos/tigerbeetle/docs/coding | repos/tigerbeetle/docs/coding/recipes/rate-limiting.md | ---
sidebar_position: 7
---
# Rate Limiting
TigerBeetle can be used to account for non-financial resources.
In this recipe, we will show you how to use it to implement rate limiting using the
[leaky bucket algorithm](https://en.wikipedia.org/wiki/Leaky_bucket) based on the user request rate,
bandwidth, and money.
## Mechanism
For each type of resource we want to limit, we will have a ledger specifically for that resource. On
that ledger, we have an operator account and an account for each user. Each user's account will have
a balance limit applied.
To set up the rate limiting system, we will first transfer the resource limit amount to each of the
users. For each user request, we will then create a
[pending transfer](../two-phase-transfers.md#reserve-funds-pending-transfer) with a
[timeout](../two-phase-transfers.md#expire-pending-transfer). We will never post or void these
transfers, but will instead let them expire.
Since each account's "balance" is limited, we cannot create pending transfers that would exceed the
rate limit. However, when each pending transfer expires, it automatically replenishes the user's
balance.
## Request Rate Limiting
Let's say we want to limit each user to 10 requests per minute.
We need our user account to have a limited balance.
| Ledger | Account | Flags |
| ------------ | -------- | -------------------------------------------------------------------------------------------------- |
| Request Rate | Operator | `0` |
| Request Rate | User | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits) |
We'll first transfer 10 units from the operator to the user.
| Transfer | Ledger | Debit Account | Credit Account | Amount |
| -------- | -----------: | ------------: | -------------: | -----: |
| 1 | Request Rate | Operator | User | 10 |
Then, for each incoming request, we will create a pending transfer for 1 unit back to the operator
from the user:
| Transfer | Ledger | Debit Account | Credit Account | Amount | Timeout | Flags |
| -------- | -----------: | ------------: | -------------: | -----: | ------- | ----------------------------------------------------: |
| 2-N | Request Rate | User | Operator | 1 | 60 | [`pending`](../../reference/transfer.md#flagspending) |
Note that we use a timeout of 60 (seconds), because we wanted to limit each user to 10 requests _per
minute_.
That's it! Each of these transfers will "reserve" some of the user's balance and then replenish the
balance after they expire.
## Bandwidth Limiting
To limit user requests based on bandwidth as opposed to request rate, we can apply the same
technique but use amounts that represent the request size.
Let's say we wanted to limit each user to 10 MB (10,000,000 bytes) per minute.
Our account setup is the same as before:
| Ledger | Account | Flags |
| --------- | -------- | -------------------------------------------------------------------------------------------------- |
| Bandwidth | Operator | 0 |
| Bandwidth | User | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits) |
Now, we'll transfer 10,000,000 units (bytes in this case) from the operator to the user:
| Transfer | Ledger | Debit Account | Credit Account | Amount |
| -------- | --------: | ------------: | -------------: | -------: |
| 1 | Bandwidth | Operator | User | 10000000 |
For each incoming request, we'll create a pending transfer where the amount is equal to the request
size:
| Transfer | Ledger | Debit Account | Credit Account | Amount | Timeout | Flags |
| -------- | --------: | ------------: | -------------: | -----------: | ------- | ----------------------------------------------------: |
| 2-N | Bandwidth | User | Operator | Request Size | 60 | [`pending`](../../reference/transfer.md#flagspending) |
We're again using a timeout of 60 seconds, but you could adjust this to be whatever time window you
want to use to limit requests.
## Transfer Amount Limiting
Now, let's say you wanted to limit each account to transferring no more than a certain amount of
money per time window. We can do that using 2 ledgers and linked transfers.
| Ledger | Account | Flags |
| ------------- | -------- | -------------------------------------------------------------------------------------------------- |
| Rate Limiting | Operator | 0 |
| Rate Limiting | User | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits) |
| USD | Operator | 0 |
| USD | User | [`debits_must_not_exceed_credits`](../../reference/account.md#flagsdebits_must_not_exceed_credits) |
Let's say we wanted to limit each account to sending no more than 1000 USD per day.
To set up, we transfer 1000 from the Operator to the User on the Rate Limiting ledger:
| Transfer | Ledger | Debit Account | Credit Account | Amount |
| -------- | ------------: | ------------: | -------------: | -----: |
| 1 | Rate Limiting | Operator | User | 1000 |
For each transfer the user wants to do, we will create 2 transfers that are
[linked](../../reference/requests/README.md#linked-events):
| Transfer | Ledger | Debit Account | Credit Account | Amount | Timeout | Flags (Note `\|` sets multiple flags) |
| -------- | ------------: | ------------: | -------------: | --------------: | ------- | -----------------------------------------------------------------------------------------------------------: |
| 2N | Rate Limiting | User | Operator | Transfer Amount | 86400 | [`pending`](../../reference/transfer.md#flagspending) \| [`linked`](../../reference/transfer.md#flagslinked) |
| 2N + 1 | USD | User | Destination | Transfer Amount | 0 | 0 |
Note that we are using a timeout of 86400 seconds, because this is the number of seconds in a day.
These are linked such that if the first transfer fails, because the user has already transferred too
much money in the past day, the second transfer will also fail.
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/systemd/tigerbeetle.service | [Unit]
Description=TigerBeetle Replica
Documentation=https://docs.tigerbeetle.com/
After=network-online.target
Wants=network-online.target systemd-networkd-wait-online.service
[Service]
Environment=TIGERBEETLE_CACHE_GRID_SIZE=1GiB
Environment=TIGERBEETLE_ADDRESSES=3001
Environment=TIGERBEETLE_REPLICA_COUNT=1
Environment=TIGERBEETLE_REPLICA_INDEX=0
Environment=TIGERBEETLE_CLUSTER_ID=0
Environment=TIGERBEETLE_DATA_FILE=%S/tigerbeetle/0_0.tigerbeetle
DevicePolicy=closed
DynamicUser=true
LockPersonality=true
ProtectClock=true
ProtectControlGroups=true
ProtectHome=true
ProtectHostname=true
ProtectKernelLogs=true
ProtectKernelModules=true
ProtectKernelTunables=true
ProtectProc=noaccess
ProtectSystem=strict
RestrictAddressFamilies=AF_INET AF_INET6
RestrictNamespaces=true
RestrictRealtime=true
RestrictSUIDSGID=true
StateDirectory=tigerbeetle
StateDirectoryMode=700
Type=exec
ExecStartPre=/usr/local/bin/tigerbeetle-pre-start.sh
ExecStart=/usr/local/bin/tigerbeetle start --cache-grid=${TIGERBEETLE_CACHE_GRID_SIZE} --addresses=${TIGERBEETLE_ADDRESSES} ${TIGERBEETLE_DATA_FILE}
[Install]
WantedBy=multi-user.target
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/systemd/README.md | # systemd Service Unit
This is an example of a systemd service that runs TigerBeetle.
You will likely have to adjust it if you're deploying TigerBeetle.
## Adjusting
You can adjust multiple aspects of this systemd service.
Each specific adjustment is listed below with instructions.
It is not recommended to adjust some values directly in the service file.
When this is the case, the instructions will ask you to instead use systemd's drop-in file support.
Here's how to do that:
1. Install the service unit in systemd (usually by adding it to `/etc/systemd/system`).
2. Create a drop-in file to override the environment variables.
Run `systemctl edit tigerbeetle.service`.
This will bring you to an editor with instructions.
3. Add your overrides.
Example:
```
[Service]
Environment=TIGERBEETLE_CACHE_GRID_SIZE=4GiB
Environment=TIGERBEETLE_ADDRESSES=0.0.0.0:3001
```
### Pre-start script
This service executes the `tigerbeetle-pre-start.sh` script before starting TigerBeetle.
This script is responsible for ensuring that a replica data file exists.
It will create a data file if it doesn't exist.
The script assumes that `/bin/sh` exists and points to a POSIX-compliant shell, and the `test` utility is either built-in or in the script's search path.
If this is not the case, adjust the script's shebang.
The service assumes that this script is installed in `/usr/local/bin`.
If this is not the case, adjust the `ExecStartPre` line in `tigerbeetle.service`.
### TigerBeetle executable
The `tigerbeetle` executable is assumed to be installed in `/usr/local/bin`.
If this is not the case, adjust both `tigerbeetle.service` and `tigerbeetle-pre-start.sh` to use the correct location.
### Environment variables
This service uses environment variables to provide default values for a simple single-node cluster.
To configure a different cluster structure, or a cluster with different values, adjust the values in the environment variables.
It is **not recommended** to change these default values directly in the service file, because it may be important to revert to the default behavior later.
Instead, use systemd's drop-in file support.
### State directory and replica data file path
This service configures a state directory, which means that systemd will make sure the directory is created before the service starts, and the directory will have the correct permissions.
This is especially important because the service uses systemd's dynamic user capabilities.
systemd forces the state directory to be in `/var/lib`, which means that this service will have its replica data file at `/var/lib/tigerbeetle/`.
It is **not recommended** to adjust the state directory directly in the service file, because it may be important to revert to the default behavior later.
Instead, use systemd's drop-in file support.
If you do so, remember to also adjust the `TIGERBEETLE_DATA_FILE` environment variable, because it also hardcodes the `tigerbeetle` state directory value.
Due to systemd's dynamic user capabilities, the replica data file path will not be owned by any existing user of the system.
### Hardening configurations
Some hardening configurations are enabled for added security when running the service.
It is **not recommended** to change these, since they have additional implications on all other configurations and values defined in this service file.
If you wish to change those, you are expected to understand those implications and make any other adjustments accordingly.
### Development mode
The service was created assuming it'll be used in a production scenario.
In case you want to use this service for development as well, you may need to adjust the `ExecStart` line to include the `--development` flag if your development environment doesn't support Direct IO, or if you require smaller cache sizes and/or batch sizes due to memory constraints.
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/systemd/tigerbeetle-pre-start.sh | #!/bin/sh
set -eu
if ! test -e "${TIGERBEETLE_DATA_FILE}"; then
/usr/local/bin/tigerbeetle format --cluster="${TIGERBEETLE_CLUSTER_ID}" --replica="${TIGERBEETLE_REPLICA_INDEX}" --replica-count="${TIGERBEETLE_REPLICA_COUNT}" "${TIGERBEETLE_DATA_FILE}"
fi
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/vscode/launch.json | {
"version": "0.2.0",
"configurations": [
{
"name": "debug server",
"type": "cppdbg",
"request": "launch",
"program": "${workspaceFolder}/tigerbeetle",
"args": [ "start", "--addresses=127.0.0.1", "0_0.tigerbeetle.debug" ],
"stopAtEntry": false,
"cwd": "${workspaceFolder}",
"environment": [],
"preLaunchTask": "format debug server",
},
{
"name": "debug tests",
"type": "cppdbg",
"request": "launch",
"program": "${workspaceFolder}/zig-out/bin/test",
"args": [],
"stopAtEntry": false,
"cwd": "${workspaceFolder}",
"environment": [],
"preLaunchTask": "build tests",
},
{
"name": "debug benchmark",
"type": "cppdbg",
"request": "launch",
"program": "${workspaceFolder}/zig-out/bin/benchmark",
"args": [ "--transfer-count=10000", "--account-count=100"],
"stopAtEntry": false,
"cwd": "${workspaceFolder}",
"environment": [],
"preLaunchTask": "build tests",
},
{
"name": "debug fuzz_lsm_tree",
"type": "cppdbg",
"request": "launch",
"program": "${workspaceFolder}/zig-out/bin/fuzz",
"args": [],
"stopAtEntry": false,
"cwd": "${workspaceFolder}",
"environment": [],
"preLaunchTask": "build fuzz",
},
{
"name": "debug fuzz_lsm_forest",
"type": "cppdbg",
"request": "launch",
"program": "${workspaceFolder}/zig-out/bin/fuzz",
"args": [ ],
"stopAtEntry": false,
"cwd": "${workspaceFolder}",
"environment": [],
"preLaunchTask": "build fuzz",
},
]
}
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/vscode/extensions.json | {
"recommendations": [
"ziglang.vscode-zig",
"ms-vscode.cpptools"
]
}
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/vscode/tasks.json | {
"version": "2.0.0",
"tasks": [
{
"label": "format debug server",
"type": "shell",
"command": "${workspaceFolder}/tools/vscode/format_debug_server.sh",
"args": [],
"problemMatcher": [],
"group": "build",
},
{
"label": "build tests",
"type": "shell",
"command": "${workspaceFolder}/zig/zig",
"args": [ "build", "test:build" ],
"problemMatcher": [],
"group": "build",
},
{
"label": "build benchmark",
"type": "shell",
"command": "${workspaceFolder}/zig/zig",
"args": [ "build", "build_benchmark" ],
"problemMatcher": [],
"group": "build",
},
{
"label": "build fuzz",
"type": "shell",
"command": "${workspaceFolder}/zig/zig",
"args": [ "build", "build_fuzz" ],
"problemMatcher": [],
"group": "build",
},
]
}
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/vscode/settings.json | {
// This enables breakpoints in .zig files.
"debug.allowBreakpointsEverywhere": true
}
|
0 | repos/tigerbeetle/tools | repos/tigerbeetle/tools/vscode/format_debug_server.sh | #!/usr/bin/env bash
set -eEuo pipefail
FILE=0_0.tigerbeetle.debug
# Download Zig if it does not yet exist:
if [ ! -f "zig/zig" ]; then
zig/download.sh
fi
if [ -f "$FILE" ]; then
rm $FILE
fi
./zig/zig build -Dconfig=production
./tigerbeetle format --cluster=0 --replica=0 --replica-count=1 $FILE
|
0 | repos | repos/ip.zig/README.md | # ip.zig [](https://circleci.com/gh/euantorano/ip.zig)
A Zig library for working with IP Addresses
## Current Status
- [X] Constructing IPv4/IPv6 addresses from octets or bytes
- [X] IpAddress union
- [X] Various utility methods for working with IP addresses, such as: comparing for equality; checking for loopback/multicast/globally routable
- [X] Formatting IPv4/IPv6 addresses using `std.format`
- [ ] Parsing IPv4/IPv6 addresses from strings
- [X] Parsing IPv4 addresses
- [ ] Parsing IPv6 addresses
- [X] Parsing simple IPv6 addresses
- [ ] Parsing IPv4 compatible/mapped IPv6 addresses
- [ ] Parsing IPv6 address scopes (`scope id`) |
0 | repos | repos/ip.zig/build.zig | const Builder = @import("std").build.Builder;
pub fn build(b: *Builder) void {
const mode = b.standardReleaseOptions();
const lib = b.addStaticLibrary("ip", "src/main.zig");
lib.setBuildMode(mode);
var main_tests = b.addTest("test/main.zig");
main_tests.setBuildMode(mode);
main_tests.addPackagePath("ip", "src/main.zig");
const test_step = b.step("test", "Run library tests");
test_step.dependOn(&main_tests.step);
b.default_step.dependOn(&lib.step);
b.installArtifact(lib);
}
|
0 | repos/ip.zig | repos/ip.zig/.circleci/config.yml | version: 2.1
jobs:
test_master:
docker:
- image: euantorano/zig:master
working_directory: ~/repo
steps:
- checkout
- run:
name: print zig version
command: |
zig version
- run:
name: run tests
command: |
zig build test
workflows:
version: 2
commit:
jobs:
- test_master |
0 | repos/ip.zig | repos/ip.zig/src/main.zig | const std = @import("std");
const debug = std.debug;
const mem = std.mem;
const builtin = @import("builtin");
const testing = std.testing;
/// Errors that can occur when parsing an IP Address.
pub const ParseError = error{
InvalidCharacter,
TooManyOctets,
Overflow,
Incomplete,
UnknownAddressType,
};
/// An IPv4 address.
pub const IpV4Address = struct {
const Self = @This();
pub const Broadcast = Self.init(255, 255, 255, 255);
pub const Localhost = Self.init(127, 0, 0, 1);
pub const Unspecified = Self.init(0, 0, 0, 0);
address: [4]u8,
/// Create an IP Address with the given octets.
pub fn init(a: u8, b: u8, c: u8, d: u8) Self {
return Self{
.address = [_]u8{
a,
b,
c,
d,
},
};
}
/// Create an IP Address from a slice of bytes.
///
/// The slice must be exactly 4 bytes long.
pub fn fromSlice(address: []u8) Self {
debug.assert(address.len == 4);
return Self.init(address[0], address[1], address[2], address[3]);
}
/// Create an IP Address from an array of bytes.
pub fn fromArray(address: [4]u8) Self {
return Self{
.address = address,
};
}
/// Create an IP Address from a host byte order u32.
pub fn fromHostByteOrder(ip: u32) Self {
var address: [4]u8 = undefined;
mem.writeInt(u32, &address, ip, builtin.Endian.Big);
return Self.fromArray(address);
}
/// Parse an IP Address from a string representation.
pub fn parse(buf: []const u8) ParseError!Self {
var octs: [4]u8 = [_]u8{0} ** 4;
var octets_index: usize = 0;
var any_digits: bool = false;
for (buf) |b| {
switch (b) {
'.' => {
if (!any_digits) {
return ParseError.InvalidCharacter;
}
if (octets_index >= 3) {
return ParseError.TooManyOctets;
}
octets_index += 1;
any_digits = false;
},
'0'...'9' => {
any_digits = true;
const digit = b - '0';
if (@mulWithOverflow(u8, octs[octets_index], 10, &octs[octets_index])) {
return ParseError.Overflow;
}
if (@addWithOverflow(u8, octs[octets_index], digit, &octs[octets_index])) {
return ParseError.Overflow;
}
},
else => {
return ParseError.InvalidCharacter;
},
}
}
if (octets_index != 3 or !any_digits) {
return ParseError.Incomplete;
}
return Self.fromArray(octs);
}
/// Returns the octets of an IP Address as an array of bytes.
pub fn octets(self: Self) [4]u8 {
return self.address;
}
/// Returns whether an IP Address is an unspecified address as specified in _UNIX Network Programming, Second Edition_.
pub fn isUnspecified(self: Self) bool {
return mem.allEqual(u8, self.address, 0);
}
/// Returns whether an IP Address is a loopback address as defined by [IETF RFC 1122](https://tools.ietf.org/html/rfc1122).
pub fn isLoopback(self: Self) bool {
return self.address[0] == 127;
}
/// Returns whether an IP Address is a private address as defined by [IETF RFC 1918](https://tools.ietf.org/html/rfc1918).
pub fn isPrivate(self: Self) bool {
return switch (self.address[0]) {
10 => true,
172 => switch (self.address[1]) {
16...31 => true,
else => false,
},
192 => (self.address[1] == 168),
else => false,
};
}
/// Returns whether an IP Address is a link-local address as defined by [IETF RFC 3927](https://tools.ietf.org/html/rfc3927).
pub fn isLinkLocal(self: Self) bool {
return self.address[0] == 169 and self.address[1] == 254;
}
/// Returns whether an IP Address is a multicast address as defined by [IETF RFC 5771](https://tools.ietf.org/html/rfc5771).
pub fn isMulticast(self: Self) bool {
return switch (self.address[0]) {
224...239 => true,
else => false,
};
}
/// Returns whether an IP Address is a broadcast address as defined by [IETF RFC 919](https://tools.ietf.org/html/rfc919).
pub fn isBroadcast(self: Self) bool {
return mem.allEqual(u8, self.address, 255);
}
/// Returns whether an IP Adress is a documentation address as defined by [IETF RFC 5737](https://tools.ietf.org/html/rfc5737).
pub fn isDocumentation(self: Self) bool {
return switch (self.address[0]) {
192 => switch (self.address[1]) {
0 => switch (self.address[2]) {
2 => true,
else => false,
},
else => false,
},
198 => switch (self.address[1]) {
51 => switch (self.address[2]) {
100 => true,
else => false,
},
else => false,
},
203 => switch (self.address[1]) {
0 => switch (self.address[2]) {
113 => true,
else => false,
},
else => false,
},
else => false,
};
}
/// Returns whether an IP Address is a globally routable address as defined by [the IANA IPv4 Special Registry](https://www.iana.org/assignments/iana-ipv4-special-registry/iana-ipv4-special-registry.xhtml).
pub fn isGloballyRoutable(self: Self) bool {
return !self.isPrivate() and !self.isLoopback() and
!self.isLinkLocal() and !self.isBroadcast() and
!self.isDocumentation() and !self.isUnspecified();
}
/// Returns whether an IP Address is equal to another.
pub fn equals(self: Self, other: Self) bool {
return mem.eql(u8, self.address, other.address);
}
/// Returns the IP Address as a host byte order u32.
pub fn toHostByteOrder(self: Self) u32 {
return mem.readVarInt(u32, self.address, builtin.Endian.Big);
}
/// Formats the IP Address using the given format string and context.
///
/// This is used by the `std.fmt` module to format an IP Address within a format string.
pub fn format(
self: Self,
comptime fmt: []const u8,
options: std.fmt.FormatOptions,
context: var,
comptime Errors: type,
output: fn (@typeOf(context), []const u8) Errors!void,
) Errors!void {
return std.fmt.format(
context,
Errors,
output,
"{}.{}.{}.{}",
self.address[0],
self.address[1],
self.address[2],
self.address[3],
);
}
};
pub const Ipv6MulticastScope = enum {
InterfaceLocal,
LinkLocal,
RealmLocal,
AdminLocal,
SiteLocal,
OrganizationLocal,
Global,
};
pub const IpV6Address = struct {
const Self = @This();
pub const Localhost = Self.init(0, 0, 0, 0, 0, 0, 0, 1);
pub const Unspecified = Self.init(0, 0, 0, 0, 0, 0, 0, 0);
address: [16]u8,
scope_id: ?[]u8,
/// Create an IP Address with the given 16 bit segments.
pub fn init(a: u16, b: u16, c: u16, d: u16, e: u16, f: u16, g: u17, h: u16) Self {
return Self{
.address = [16]u8{
@intCast(u8, a >> 8), @truncate(u8, a),
@intCast(u8, b >> 8), @truncate(u8, b),
@intCast(u8, c >> 8), @truncate(u8, c),
@intCast(u8, d >> 8), @truncate(u8, d),
@intCast(u8, e >> 8), @truncate(u8, e),
@intCast(u8, f >> 8), @truncate(u8, f),
@intCast(u8, g >> 8), @truncate(u8, g),
@intCast(u8, h >> 8), @truncate(u8, h),
},
.scope_id = null,
};
}
/// Create an IP Address from a slice of bytes.
///
/// The slice must be exactly 16 bytes long.
pub fn fromSlice(address: []u8) Self {
debug.assert(address.len == 16);
return Self.init(mem.readVarInt(u16, address[0..2], builtin.Endian.Big), mem.readVarInt(u16, address[2..4], builtin.Endian.Big), mem.readVarInt(u16, address[4..6], builtin.Endian.Big), mem.readVarInt(u16, address[6..8], builtin.Endian.Big), mem.readVarInt(u16, address[8..10], builtin.Endian.Big), mem.readVarInt(u16, address[10..12], builtin.Endian.Big), mem.readVarInt(u16, address[12..14], builtin.Endian.Big), mem.readVarInt(u16, address[14..16], builtin.Endian.Big));
}
/// Create an IP Address from an array of bytes.
pub fn fromArray(address: [16]u8) Self {
return Self{
.address = address,
.scope_id = null,
};
}
/// Create an IP Address from a host byte order u128.
pub fn fromHostByteOrder(ip: u128) Self {
var address: [16]u8 = undefined;
mem.writeInt(u128, &address, ip, builtin.Endian.Big);
return Self.fromArray(address);
}
fn parseAsManyOctetsAsPossible(buf: []const u8, parsed_to: *usize) ParseError![]u16 {
var octs: [8]u16 = [_]u16{0} ** 8;
var x: u16 = 0;
var any_digits: bool = false;
var octets_index: usize = 0;
for (buf) |b, i| {
parsed_to.* = i;
switch (b) {
'%' => {
break;
},
':' => {
if (!any_digits and i > 0) {
break;
}
if (octets_index > 7) {
return ParseError.TooManyOctets;
}
octs[octets_index] = x;
x = 0;
if (i > 0) {
octets_index += 1;
}
any_digits = false;
},
'0'...'9', 'a'...'z', 'A'...'Z' => {
any_digits = true;
const digit = switch (b) {
'0'...'9' => blk: {
break :blk b - '0';
},
'a'...'f' => blk: {
break :blk b - 'a' + 10;
},
'A'...'F' => blk: {
break :blk b - 'A' + 10;
},
else => {
return ParseError.InvalidCharacter;
},
};
if (@mulWithOverflow(u16, x, 16, &x)) {
return ParseError.Overflow;
}
if (@addWithOverflow(u16, x, digit, &x)) {
return ParseError.Overflow;
}
},
else => {
return ParseError.InvalidCharacter;
},
}
}
if (any_digits) {
octs[octets_index] = x;
octets_index += 1;
}
return octs[0..octets_index];
}
/// Parse an IP Address from a string representation.
pub fn parse(buf: []const u8) ParseError!Self {
var parsed_to: usize = 0;
var parsed: Self = undefined;
const first_part = try Self.parseAsManyOctetsAsPossible(buf, &parsed_to);
if (first_part.len == 8) {
// got all octets, meaning there is no empty section within the string
parsed = Self.init(first_part[0], first_part[1], first_part[2], first_part[3], first_part[4], first_part[5], first_part[6], first_part[7]);
} else {
// not all octets parsed, there must be more to parse
if (parsed_to >= buf.len) {
// ran out of buffer without getting full packet
return ParseError.Incomplete;
}
// create new array by combining first and second part
var octs: [8]u16 = [_]u16{0} ** 8;
if (first_part.len > 0) {
std.mem.copy(u16, octs[0..first_part.len], first_part);
}
const end_buf = buf[parsed_to + 1 ..];
const second_part = try Self.parseAsManyOctetsAsPossible(end_buf, &parsed_to);
std.mem.copy(u16, octs[8 - second_part.len ..], second_part);
parsed = Self.init(octs[0], octs[1], octs[2], octs[3], octs[4], octs[5], octs[6], octs[7]);
}
if (parsed_to < buf.len - 1) {
// check for a trailing scope id
if (buf[parsed_to + 1] == '%') {
// rest of buf is assumed to be scope id
parsed_to += 1;
if (parsed_to >= buf.len) {
// not enough data left in buffer for scope id
return ParseError.Incomplete;
}
// TODO: parsed.scope_id = buf[parsed_to..];
}
}
return parsed;
}
/// Returns whether there is a scope ID associated with an IP Address.
pub fn hasScopeId(self: Self) bool {
return self.scope_id != null;
}
/// Returns the segments of an IP Address as an array of 16 bit integers.
pub fn segments(self: Self) [8]u16 {
return [8]u16{
mem.readVarInt(u16, self.address[0..2], builtin.Endian.Big),
mem.readVarInt(u16, self.address[2..4], builtin.Endian.Big),
mem.readVarInt(u16, self.address[4..6], builtin.Endian.Big),
mem.readVarInt(u16, self.address[6..8], builtin.Endian.Big),
mem.readVarInt(u16, self.address[8..10], builtin.Endian.Big),
mem.readVarInt(u16, self.address[10..12], builtin.Endian.Big),
mem.readVarInt(u16, self.address[12..14], builtin.Endian.Big),
mem.readVarInt(u16, self.address[14..16], builtin.Endian.Big),
};
}
/// Returns the octets of an IP Address as an array of bytes.
pub fn octets(self: Self) [16]u8 {
return self.address;
}
/// Returns whether an IP Address is an unspecified address as specified in [IETF RFC 4291](https://tools.ietf.org/html/rfc4291).
pub fn isUnspecified(self: Self) bool {
return mem.allEqual(u8, self.address, 0);
}
/// Returns whether an IP Address is a loopback address as defined by [IETF RFC 4291](https://tools.ietf.org/html/rfc4291).
pub fn isLoopback(self: Self) bool {
return mem.allEqual(u8, self.address[0..14], 0) and self.address[15] == 1;
}
/// Returns whether an IP Address is a multicast address as defined by [IETF RFC 4291](https://tools.ietf.org/html/rfc4291).
pub fn isMulticast(self: Self) bool {
return self.address[0] == 0xff and self.address[1] & 0x00 == 0;
}
/// Returns whether an IP Adress is a documentation address as defined by [IETF RFC 3849](https://tools.ietf.org/html/rfc3849).
pub fn isDocumentation(self: Self) bool {
return self.address[0] == 32 and self.address[1] == 1 and
self.address[2] == 13 and self.address[3] == 184;
}
/// Returns whether an IP Address is a multicast and link local address as defined by [IETF RFC 4291](https://tools.ietf.org/html/rfc4291).
pub fn isMulticastLinkLocal(self: Self) bool {
return self.address[0] == 0xff and self.address[1] & 0x0f == 0x02;
}
/// Returns whether an IP Address is a deprecated unicast site-local address.
pub fn isUnicastSiteLocal(self: Self) bool {
return self.address[0] == 0xfe and self.address[1] & 0xc0 == 0xc0;
}
/// Returns whether an IP Address is a multicast and link local address as defined by [IETF RFC 4291](https://tools.ietf.org/html/rfc4291).
pub fn isUnicastLinkLocal(self: Self) bool {
return self.address[0] == 0xfe and self.address[1] & 0xc0 == 0x80;
}
/// Returns whether an IP Address is a unique local address as defined by [IETF RFC 4193](https://tools.ietf.org/html/rfc4193).
pub fn isUniqueLocal(self: Self) bool {
return self.address[0] & 0xfe == 0xfc;
}
/// Returns the multicast scope for an IP Address if it is a multicast address.
pub fn multicastScope(self: Self) ?Ipv6MulticastScope {
if (!self.isMulticast()) {
return null;
}
const anded = self.address[1] & 0x0f;
return switch (self.address[1] & 0x0f) {
1 => Ipv6MulticastScope.InterfaceLocal,
2 => Ipv6MulticastScope.LinkLocal,
3 => Ipv6MulticastScope.RealmLocal,
4 => Ipv6MulticastScope.AdminLocal,
5 => Ipv6MulticastScope.SiteLocal,
8 => Ipv6MulticastScope.OrganizationLocal,
14 => Ipv6MulticastScope.Global,
else => null,
};
}
/// Returns whether an IP Address is a globally routable address.
pub fn isGloballyRoutable(self: Self) bool {
const scope = self.multicastScope() orelse return self.isUnicastGlobal();
return scope == Ipv6MulticastScope.Global;
}
/// Returns whether an IP Address is a globally routable unicast address.
pub fn isUnicastGlobal(self: Self) bool {
return !self.isMulticast() and !self.isLoopback() and
!self.isUnicastLinkLocal() and !self.isUnicastSiteLocal() and
!self.isUniqueLocal() and !self.isUnspecified() and
!self.isDocumentation();
}
/// Returns whether an IP Address is IPv4 compatible.
pub fn isIpv4Compatible(self: Self) bool {
return mem.allEqual(u8, self.address[0..12], 0);
}
/// Returns whether an IP Address is IPv4 mapped.
pub fn isIpv4Mapped(self: Self) bool {
return mem.allEqual(u8, self.address[0..10], 0) and
self.address[10] == 0xff and self.address[11] == 0xff;
}
/// Returns this IP Address as an IPv4 address if it is an IPv4 compatible or IPv4 mapped address.
pub fn toIpv4(self: Self) ?IpV4Address {
if (!mem.allEqual(u8, self.address[0..10], 0)) {
return null;
}
if (self.address[10] == 0 and self.address[11] == 0 or
self.address[10] == 0xff and self.address[11] == 0xff)
{
return IpV4Address.init(self.address[12], self.address[13], self.address[14], self.address[15]);
}
return null;
}
/// Returns whether an IP Address is equal to another.
pub fn equals(self: Self, other: Self) bool {
return mem.eql(u8, self.address, other.address);
}
/// Returns the IP Address as a host byte order u128.
pub fn toHostByteOrder(self: Self) u128 {
return mem.readVarInt(u128, self.address, builtin.Endian.Big);
}
fn fmtSlice(
slice: []const u16,
context: var,
comptime Errors: type,
output: fn (@typeOf(context), []const u8) Errors!void,
) Errors!void {
if (slice.len == 0) {
return;
}
try std.fmt.format(context, Errors, output, "{x}", slice[0]);
for (slice[1..]) |segment| {
try std.fmt.format(context, Errors, output, ":{x}", segment);
}
}
fn fmtAddress(
self: Self,
comptime fmt: []const u8,
options: std.fmt.FormatOptions,
context: var,
comptime Errors: type,
output: fn (@typeOf(context), []const u8) Errors!void,
) Errors!void {
if (mem.allEqual(u8, self.address, 0)) {
return std.fmt.format(context, Errors, output, "::");
} else if (mem.allEqual(u8, self.address[0..14], 0) and self.address[15] == 1) {
return std.fmt.format(context, Errors, output, "::1");
} else if (self.isIpv4Compatible()) {
return std.fmt.format(context, Errors, output, "::{}.{}.{}.{}", self.address[12], self.address[13], self.address[14], self.address[15]);
} else if (self.isIpv4Mapped()) {
return std.fmt.format(context, Errors, output, "::ffff:{}.{}.{}.{}", self.address[12], self.address[13], self.address[14], self.address[15]);
} else {
const segs = self.segments();
var longest_group_of_zero_length: usize = 0;
var longest_group_of_zero_at: usize = 0;
var current_group_of_zero_length: usize = 0;
var current_group_of_zero_at: usize = 0;
for (segs) |segment, index| {
if (segment == 0) {
if (current_group_of_zero_length == 0) {
current_group_of_zero_at = index;
}
current_group_of_zero_length += 1;
if (current_group_of_zero_length > longest_group_of_zero_length) {
longest_group_of_zero_length = current_group_of_zero_length;
longest_group_of_zero_at = current_group_of_zero_at;
}
} else {
current_group_of_zero_length = 0;
current_group_of_zero_at = 0;
}
}
if (longest_group_of_zero_length > 0) {
try IpV6Address.fmtSlice(segs[0..longest_group_of_zero_at], context, Errors, output);
try std.fmt.format(context, Errors, output, "::");
try IpV6Address.fmtSlice(segs[longest_group_of_zero_at + longest_group_of_zero_length ..], context, Errors, output);
} else {
return std.fmt.format(context, Errors, output, "{x}:{x}:{x}:{x}:{x}:{x}:{x}:{x}", segs[0], segs[1], segs[2], segs[3], segs[4], segs[5], segs[6], segs[7]);
}
}
}
/// Formats the IP Address using the given format string and context.
///
/// This is used by the `std.fmt` module to format an IP Address within a format string.
pub fn format(
self: Self,
comptime fmt: []const u8,
options: std.fmt.FormatOptions,
context: var,
comptime Errors: type,
output: fn (@typeOf(context), []const u8) Errors!void,
) Errors!void {
try self.fmtAddress(fmt, options, context, Errors, output);
if (self.scope_id) |scope| {
return std.fmt.format(context, Errors, output, "%{}", scope);
}
}
};
pub const IpAddressType = enum {
V4,
V6,
};
pub const IpAddress = union(IpAddressType) {
const Self = @This();
V4: IpV4Address,
V6: IpV6Address,
/// Parse an IP Address from a string representation.
pub fn parse(buf: []const u8) ParseError!Self {
for (buf) |b| {
switch (b) {
'.' => {
// IPv4
const addr = try IpV4Address.parse(buf);
return Self{
.V4 = addr,
};
},
':' => {
// IPv6
const addr = try IpV6Address.parse(buf);
return Self{
.V6 = addr,
};
},
else => continue,
}
}
return ParseError.UnknownAddressType;
}
/// Returns whether the IP Address is an IPv4 address.
pub fn isIpv4(self: Self) bool {
return switch (self) {
.V4 => true,
else => false,
};
}
/// Returns whether the IP Address is an IPv6 address.
pub fn isIpv6(self: Self) bool {
return switch (self) {
.V6 => true,
else => false,
};
}
/// Returns whether an IP Address is an unspecified address.
pub fn isUnspecified(self: Self) bool {
return switch (self) {
.V4 => |a| a.isUnspecified(),
.V6 => |a| a.isUnspecified(),
};
}
/// Returns whether an IP Address is a loopback address.
pub fn isLoopback(self: Self) bool {
return switch (self) {
.V4 => |a| a.isLoopback(),
.V6 => |a| a.isLoopback(),
};
}
/// Returns whether an IP Address is a multicast address.
pub fn isMulticast(self: Self) bool {
return switch (self) {
.V4 => |a| a.isMulticast(),
.V6 => |a| a.isMulticast(),
};
}
/// Returns whether an IP Adress is a documentation address.
pub fn isDocumentation(self: Self) bool {
return switch (self) {
.V4 => |a| a.isDocumentation(),
.V6 => |a| a.isDocumentation(),
};
}
/// Returns whether an IP Address is a globally routable address.
pub fn isGloballyRoutable(self: Self) bool {
return switch (self) {
.V4 => |a| a.isGloballyRoutable(),
.V6 => |a| a.isGloballyRoutable(),
};
}
/// Returns whether an IP Address is equal to another.
pub fn equals(self: Self, other: Self) bool {
return switch (self) {
.V4 => |a| blk: {
break :blk switch (other) {
.V4 => |b| a.equals(b),
else => false,
};
},
.V6 => |a| blk: {
break :blk switch (other) {
.V6 => |b| a.equals(b),
else => false,
};
},
};
}
/// Formats the IP Address using the given format string and context.
///
/// This is used by the `std.fmt` module to format an IP Address within a format string.
pub fn format(
self: Self,
comptime fmt: []const u8,
options: std.fmt.FormatOptions,
context: var,
comptime Errors: type,
output: fn (@typeOf(context), []const u8) Errors!void,
) Errors!void {
return switch (self) {
.V4 => |a| a.format(fmt, options, context, Errors, output),
.V6 => |a| a.format(fmt, options, context, Errors, output),
};
}
};
|
0 | repos/ip.zig | repos/ip.zig/test/main.zig | const std = @import("std");
const mem = std.mem;
const fmt = std.fmt;
const testing = std.testing;
use @import("ip");
test "" {
_ = @import("./ipv4.zig");
_ = @import("./ipv6.zig");
}
test "IpAddress.isIpv4()" {
const ip = IpAddress{
.V4 = IpV4Address.init(192, 168, 0, 1),
};
testing.expect(ip.isIpv4());
testing.expect(ip.isIpv6() == false);
}
test "IpAddress.isIpv6()" {
const ip = IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
};
testing.expect(ip.isIpv6());
testing.expect(ip.isIpv4() == false);
}
test "IpAddress.isUnspecified()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(0, 0, 0, 0),
}).isUnspecified());
testing.expect((IpAddress{
.V4 = IpV4Address.init(192, 168, 0, 1),
}).isUnspecified() == false);
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0),
}).isUnspecified());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
}).isUnspecified() == false);
}
test "IpAddress.isLoopback()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(127, 0, 0, 1),
}).isLoopback());
testing.expect((IpAddress{
.V4 = IpV4Address.init(192, 168, 0, 1),
}).isLoopback() == false);
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0x1),
}).isLoopback());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
}).isLoopback() == false);
}
test "IpAddress.isMulticast()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(236, 168, 10, 65),
}).isMulticast());
testing.expect((IpAddress{
.V4 = IpV4Address.init(172, 16, 10, 65),
}).isMulticast() == false);
testing.expect((IpAddress{
.V6 = IpV6Address.init(0xff00, 0, 0, 0, 0, 0, 0, 0),
}).isMulticast());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
}).isMulticast() == false);
}
test "IpAddress.isDocumentation()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(203, 0, 113, 6),
}).isDocumentation());
testing.expect((IpAddress{
.V4 = IpV4Address.init(193, 34, 17, 19),
}).isDocumentation() == false);
testing.expect((IpAddress{
.V6 = IpV6Address.init(0x2001, 0xdb8, 0, 0, 0, 0, 0, 0),
}).isDocumentation());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
}).isDocumentation() == false);
}
test "IpAddress.isGloballyRoutable()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(10, 254, 0, 0),
}).isGloballyRoutable() == false);
testing.expect((IpAddress{
.V4 = IpV4Address.init(80, 9, 12, 3),
}).isGloballyRoutable());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff),
}).isGloballyRoutable());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0x1c9, 0, 0, 0xafc8, 0, 0x1),
}).isGloballyRoutable());
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0x1),
}).isGloballyRoutable() == false);
}
test "IpAddress.equals()" {
testing.expect((IpAddress{
.V4 = IpV4Address.init(127, 0, 0, 1),
}).equals(IpAddress{ .V4 = IpV4Address.Localhost }));
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 1),
}).equals(IpAddress{ .V6 = IpV6Address.Localhost }));
testing.expect((IpAddress{
.V6 = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 1),
}).equals(IpAddress{ .V4 = IpV4Address.init(127, 0, 0, 1) }) == false);
}
fn testFormatIpAddress(address: IpAddress, expected: []const u8) !void {
var buffer: [1024]u8 = undefined;
const buf = buffer[0..];
const result = try fmt.bufPrint(buf, "{}", address);
testing.expectEqualSlices(u8, result, expected);
}
test "IpAddress.format()" {
try testFormatIpAddress(IpAddress{
.V4 = IpV4Address.init(192, 168, 0, 1),
}, "192.168.0.1");
try testFormatIpAddress(IpAddress{
.V6 = IpV6Address.init(0x2001, 0xdb8, 0x85a3, 0x8d3, 0x1319, 0x8a2e, 0x370, 0x7348),
}, "2001:db8:85a3:8d3:1319:8a2e:370:7348");
}
fn testIpParseError(addr: []const u8, expected_error: ParseError) void {
testing.expectError(expected_error, IpAddress.parse(addr));
}
test "IpAddress.parse()" {
const parsed = try IpAddress.parse("127.0.0.1");
testing.expect(parsed.equals(IpAddress{
.V4 = IpV4Address.Localhost,
}));
testIpParseError("256.0.0.1", ParseError.Overflow);
testIpParseError("x.0.0.1", ParseError.InvalidCharacter);
testIpParseError("127.0.0.1.1", ParseError.TooManyOctets);
testIpParseError("127.0.0.", ParseError.Incomplete);
testIpParseError("100..0.1", ParseError.InvalidCharacter);
}
|
0 | repos/ip.zig | repos/ip.zig/test/ipv6.zig | const std = @import("std");
const mem = std.mem;
const fmt = std.fmt;
const testing = std.testing;
use @import("ip");
test "IpV6Address.segments()" {
testing.expectEqual([8]u16{ 0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff }, IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).segments());
}
test "IpV6Address.octets()" {
const expected = [16]u8{
0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0xff, 0xff, 0xc0, 0x0a, 0x02, 0xff,
};
const ip = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff);
testing.expectEqual(expected, ip.octets());
}
test "IpV6Address.fromSlice()" {
var arr = [16]u8{
0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0xff, 0xff, 0xc0, 0x0a, 0x02, 0xff,
};
const ip = IpV6Address.fromSlice(&arr);
testing.expectEqual([8]u16{ 0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff }, ip.segments());
}
test "IpV6Address.isUnspecified()" {
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0).isUnspecified());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isUnspecified() == false);
}
test "IpV6Address.isLoopback()" {
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0x1).isLoopback());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isLoopback() == false);
}
test "IpV6Address.isMulticast()" {
testing.expect(IpV6Address.init(0xff00, 0, 0, 0, 0, 0, 0, 0).isMulticast());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isMulticast() == false);
}
test "IpV6Address.isDocumentation()" {
testing.expect(IpV6Address.init(0x2001, 0xdb8, 0, 0, 0, 0, 0, 0).isDocumentation());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isDocumentation() == false);
}
test "IpV6Address.isMulticastLinkLocal()" {
var arr = [_]u8{ 0xff, 0x02, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0x02 };
testing.expect(IpV6Address.fromSlice(&arr).isMulticastLinkLocal());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isMulticastLinkLocal() == false);
}
test "IpV6Address.isUnicastSiteLocal()" {
testing.expect(IpV6Address.init(0xfec2, 0, 0, 0, 0, 0, 0, 0).isUnicastSiteLocal());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isUnicastSiteLocal() == false);
}
test "IpV6Address.isUnicastLinkLocal()" {
testing.expect(IpV6Address.init(0xfe8a, 0, 0, 0, 0, 0, 0, 0).isUnicastLinkLocal());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isUnicastLinkLocal() == false);
}
test "IpV6Address.isUniqueLocal()" {
testing.expect(IpV6Address.init(0xfc02, 0, 0, 0, 0, 0, 0, 0).isUniqueLocal());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isUniqueLocal() == false);
}
test "IpV6Address.multicastScope()" {
const scope = IpV6Address.init(0xff0e, 0, 0, 0, 0, 0, 0, 0).multicastScope() orelse unreachable;
testing.expect(scope == Ipv6MulticastScope.Global);
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).multicastScope() == null);
}
test "IpV6Address.isGloballyRoutable()" {
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isGloballyRoutable());
testing.expect(IpV6Address.init(0, 0, 0x1c9, 0, 0, 0xafc8, 0, 0x1).isGloballyRoutable());
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 0x1).isGloballyRoutable() == false);
}
test "IpV6Address.isUnicastGlobal()" {
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).isUnicastGlobal());
testing.expect(IpV6Address.init(0x2001, 0xdb8, 0, 0, 0, 0, 0, 0).isUnicastGlobal() == false);
}
test "IpV6Address.toIpv4()" {
const firstAddress = IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff).toIpv4() orelse unreachable;
const secondAddress = IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 1).toIpv4() orelse unreachable;
testing.expect(firstAddress.equals(IpV4Address.init(192, 10, 2, 255)));
testing.expect(secondAddress.equals(IpV4Address.init(0, 0, 0, 1)));
testing.expect(IpV6Address.init(0xff00, 0, 0, 0, 0, 0, 0, 0).toIpv4() == null);
}
test "IpV6Address.equals()" {
testing.expect(IpV6Address.init(0, 0, 0, 0, 0, 0, 0, 1).equals(IpV6Address.Localhost));
}
test "IpV6Address.toHostByteOrder()" {
const addr = IpV6Address.init(0x1020, 0x3040, 0x5060, 0x7080, 0x90A0, 0xB0C0, 0xD0E0, 0xF00D);
const expected: u128 = 0x102030405060708090A0B0C0D0E0F00D;
testing.expectEqual(expected, addr.toHostByteOrder());
}
test "IpV6Address.fromHostByteOrder()" {
const a: u128 = 0x102030405060708090A0B0C0D0E0F00D;
const addr = IpV6Address.fromHostByteOrder(a);
testing.expect(addr.equals(IpV6Address.init(0x1020, 0x3040, 0x5060, 0x7080, 0x90A0, 0xB0C0, 0xD0E0, 0xF00D)));
}
fn testFormatIpv6Address(address: IpV6Address, expected: []const u8) !void {
var buffer: [1024]u8 = undefined;
const buf = buffer[0..];
const result = try fmt.bufPrint(buf, "{}", address);
testing.expectEqualSlices(u8, expected, result);
}
test "IpV6Address.format()" {
try testFormatIpv6Address(IpV6Address.Unspecified, "::");
try testFormatIpv6Address(IpV6Address.Localhost, "::1");
try testFormatIpv6Address(IpV6Address.init(0, 0, 0, 0, 0, 0x00, 0xc00a, 0x2ff), "::192.10.2.255");
try testFormatIpv6Address(IpV6Address.init(0, 0, 0, 0, 0, 0xffff, 0xc00a, 0x2ff), "::ffff:192.10.2.255");
try testFormatIpv6Address(IpV6Address.init(0x2001, 0x0db8, 0x85a3, 0x0000, 0x0000, 0x8a2e, 0x0370, 0x7334), "2001:db8:85a3::8a2e:370:7334");
try testFormatIpv6Address(IpV6Address.init(0x2001, 0xdb8, 0x85a3, 0x8d3, 0x1319, 0x8a2e, 0x370, 0x7348), "2001:db8:85a3:8d3:1319:8a2e:370:7348");
try testFormatIpv6Address(IpV6Address.init(0x001, 0, 0, 0, 0, 0, 0, 0), "1::");
var scope_id = "eth2";
var ipWithScopeId = IpV6Address.init(0x2001, 0x0db8, 0x85a3, 0x0000, 0x0000, 0x8a2e, 0x0370, 0x7334);
ipWithScopeId.scope_id = scope_id[0..];
try testFormatIpv6Address(ipWithScopeId, "2001:db8:85a3::8a2e:370:7334%eth2");
}
fn testIpV6ParseAndBack(addr: []const u8, expectedIp: IpV6Address) !void {
const parsed = try IpV6Address.parse(addr);
try testFormatIpv6Address(parsed, addr);
testing.expect(parsed.equals(expectedIp));
}
// test "IpV6Address.parse()" {
// try testIpV6ParseAndBack("::", IpV6Address.Unspecified);
// try testIpV6ParseAndBack("::1", IpV6Address.Localhost);
// try testIpV6ParseAndBack("2001:db8:85a3::8a2e:370:7334", IpV6Address.init(0x2001, 0x0db8, 0x85a3, 0x0000, 0x0000, 0x8a2e, 0x0370, 0x7334));
// try testIpV6ParseAndBack("2001:db8:85a3:8d3:1319:8a2e:370:7348", IpV6Address.init(0x2001, 0xdb8, 0x85a3, 0x8d3, 0x1319, 0x8a2e, 0x370, 0x7348));
// }
|
0 | repos/ip.zig | repos/ip.zig/test/ipv4.zig | const std = @import("std");
const mem = std.mem;
const fmt = std.fmt;
const testing = std.testing;
use @import("ip");
test "IpV4Address.fromSlice()" {
var array = [_]u8{ 127, 0, 0, 1 };
const ip = IpV4Address.fromSlice(&array);
testing.expect(IpV4Address.Localhost.equals(ip));
}
test "IpV4Address.fromArray()" {
var array = [_]u8{ 127, 0, 0, 1 };
const ip = IpV4Address.fromArray(array);
testing.expect(IpV4Address.Localhost.equals(ip));
}
test "IpV4Address.octets()" {
testing.expectEqual([_]u8{ 127, 0, 0, 1 }, IpV4Address.init(127, 0, 0, 1).octets());
}
test "IpV4Address.isUnspecified()" {
testing.expect(IpV4Address.init(0, 0, 0, 0).isUnspecified());
testing.expect(IpV4Address.init(192, 168, 0, 1).isUnspecified() == false);
}
test "IpV4Address.isLoopback()" {
testing.expect(IpV4Address.init(127, 0, 0, 1).isLoopback());
testing.expect(IpV4Address.init(192, 168, 0, 1).isLoopback() == false);
}
test "IpV4Address.isPrivate()" {
testing.expect(IpV4Address.init(10, 0, 0, 1).isPrivate());
testing.expect(IpV4Address.init(10, 10, 10, 10).isPrivate());
testing.expect(IpV4Address.init(172, 16, 10, 10).isPrivate());
testing.expect(IpV4Address.init(172, 29, 45, 14).isPrivate());
testing.expect(IpV4Address.init(172, 32, 0, 2).isPrivate() == false);
testing.expect(IpV4Address.init(192, 168, 0, 2).isPrivate());
testing.expect(IpV4Address.init(192, 169, 0, 2).isPrivate() == false);
}
test "IpV4Address.isLinkLocal()" {
testing.expect(IpV4Address.init(169, 254, 0, 0).isLinkLocal());
testing.expect(IpV4Address.init(169, 254, 10, 65).isLinkLocal());
testing.expect(IpV4Address.init(16, 89, 10, 65).isLinkLocal() == false);
}
test "IpV4Address.isMulticast()" {
testing.expect(IpV4Address.init(224, 254, 0, 0).isMulticast());
testing.expect(IpV4Address.init(236, 168, 10, 65).isMulticast());
testing.expect(IpV4Address.init(172, 16, 10, 65).isMulticast() == false);
}
test "IpV4Address.isBroadcast()" {
testing.expect(IpV4Address.init(255, 255, 255, 255).isBroadcast());
testing.expect(IpV4Address.init(236, 168, 10, 65).isBroadcast() == false);
}
test "IpV4Address.isDocumentation()" {
testing.expect(IpV4Address.init(192, 0, 2, 255).isDocumentation());
testing.expect(IpV4Address.init(198, 51, 100, 65).isDocumentation());
testing.expect(IpV4Address.init(203, 0, 113, 6).isDocumentation());
testing.expect(IpV4Address.init(193, 34, 17, 19).isDocumentation() == false);
}
test "IpV4Address.isGloballyRoutable()" {
testing.expect(IpV4Address.init(10, 254, 0, 0).isGloballyRoutable() == false);
testing.expect(IpV4Address.init(192, 168, 10, 65).isGloballyRoutable() == false);
testing.expect(IpV4Address.init(172, 16, 10, 65).isGloballyRoutable() == false);
testing.expect(IpV4Address.init(0, 0, 0, 0).isGloballyRoutable() == false);
testing.expect(IpV4Address.init(80, 9, 12, 3).isGloballyRoutable());
}
test "IpV4Address.equals()" {
testing.expect(IpV4Address.init(10, 254, 0, 0).equals(IpV4Address.init(127, 0, 0, 1)) == false);
testing.expect(IpV4Address.init(127, 0, 0, 1).equals(IpV4Address.Localhost));
}
test "IpV4Address.toHostByteOrder()" {
var expected: u32 = 0x0d0c0b0a;
testing.expectEqual(expected, IpV4Address.init(13, 12, 11, 10).toHostByteOrder());
}
test "IpV4Address.fromHostByteOrder()" {
testing.expect(IpV4Address.fromHostByteOrder(0x0d0c0b0a).equals(IpV4Address.init(13, 12, 11, 10)));
}
test "IpV4Address.format()" {
var buffer: [11]u8 = undefined;
const buf = buffer[0..];
const addr = IpV4Address.init(13, 12, 11, 10);
const result = try fmt.bufPrint(buf, "{}", addr);
const expected: []const u8 = "13.12.11.10";
testing.expectEqualSlices(u8, expected, result);
}
fn testIpV4ParseError(addr: []const u8, expected_error: ParseError) void {
testing.expectError(expected_error, IpV4Address.parse(addr));
}
fn testIpV4Format(addr: IpV4Address, expected: []const u8) !void {
var buffer: [15]u8 = undefined;
const buf = buffer[0..];
const result = try fmt.bufPrint(buf, "{}", addr);
testing.expectEqualSlices(u8, expected, result);
}
test "IpV4Address.parse()" {
const parsed = try IpV4Address.parse("127.0.0.1");
testing.expect(parsed.equals(IpV4Address.Localhost));
const mask_parsed = try IpV4Address.parse("255.255.255.0");
try testIpV4Format(mask_parsed, "255.255.255.0");
testIpV4ParseError("256.0.0.1", ParseError.Overflow);
testIpV4ParseError("x.0.0.1", ParseError.InvalidCharacter);
testIpV4ParseError("127.0.0.1.1", ParseError.TooManyOctets);
testIpV4ParseError("127.0.0.", ParseError.Incomplete);
testIpV4ParseError("100..0.1", ParseError.InvalidCharacter);
}
|
0 | repos | repos/zig-jsonlog/CHANGELOG.md | # 0.2.1
Upgrade to zig 0.13.0, current stable. No breaking changes.
# 0.2.0
Upgrade to zig 0.12.0, current stable
The main changes were artifacts of the [0.12.0 std_options](https://ziglang.org/download/0.12.0/release-notes.html#toc-Global-Configuration) and build configuration changes. Because these were both breaking changes the new min supported zig version is 0.12.0. See the readme for the latest install notes.
# 0.1.0
Initial version
## 📼 installing
```zig
.{
.name = "my-app",
.version = "0.1.0",
.dependencies = .{
// 👇 declare dep properties
.jsonlog = .{
// 👇 uri to download
.url = "https://github.com/softprops/zig-jsonlog/archive/refs/tags/v0.1.0.tar.gz",
// 👇 hash verification
.hash = "1220b444a86bc4261c025d9ad318919c03219e23722c43a4d97db8c3225a483fc7c8",
},
},
}
```
```
const std = @import("std");
pub fn build(b: *std.Build) void {
const target = b.standardTargetOptions(.{});
const optimize = b.standardOptimizeOption(.{});
// 👇 de-reference envy dep from build.zig.zon
const jsonlog = b.dependency("jsonlog", .{
.target = target,
.optimize = optimize,
});
var exe = b.addExecutable(.{
.name = "your-exe",
.root_source_file = .{ .path = "src/main.zig" },
.target = target,
.optimize = optimize,
});
// 👇 add the jsonlog module to executable
exe.addModule("jsonlog", jsonlog.module("jsonlog"));
b.installArtifact(exe);
}
```
|
0 | repos | repos/zig-jsonlog/README.md | <h1 align="center">
jsonlog
</h1>
<div align="center">
A zero-allocation JSON formatting logging library for zig
</div>
---
[](https://github.com/softprops/zig-jsonlog/actions/workflows/ci.yml)   [](https://ziglang.org/documentation/0.13.0/)
## 🍬 features
- make your logs easy to query with tools like aws cloud watch insights
- zero-allocation
- append arbitrary metadata to your logs
- automatic newline insertion
Coming soon...
- configurable writers
currently jsonlog writes to stderr, as the default std log fn does. we'd like to make the writer user configurable.
## examples
```zig
const std = @import("std");
const jsonLog = @import("jsonlog");
const log = std.log.scoped(.demo);
pub const std_options: std.Options = .{
// configure the std lib log api fn to use jsonlog formatting
.logFn = jsonLog.logFn,
};
pub fn main() void {
// std log interface
log.debug("DEBUG", .{});
log.info("INFO", .{});
log.warn("WARN", .{});
log.err("ERR", .{});
// jsonLog interface for provoding arbitrary structured metadata
jsonLog.info("things are happening", .{}, .{
.endpoint = "/home",
.method = "GET",
});
// create a custom scope for doing the same
jsonLog.scoped(.demo).warn("things could be better", .{}, .{
.endpoint = "/home",
.method = "GET",
});
}
```
```json
{"ts":"2024-03-20T15:07:15.363Z","level":"debug","msg":"DEBUG","scope":"demo"}
{"ts":"2024-03-20T15:07:15.364Z","level":"info","msg":"INFO","scope":"demo"}
{"ts":"2024-03-20T15:07:15.364Z","level":"warning","msg":"WARN","scope":"demo"}
{"ts":"2024-03-20T15:07:15.364Z","level":"error","msg":"ERR","scope":"demo"}
{"ts":"2024-03-20T15:07:15.364Z","level":"info","msg":"things are happening","scope":"default","meta":{"endpoint":"/home","method":"GET"}}
{"ts":"2024-03-20T15:07:15.364Z","level":"warning","msg":"things could be better","scope":"demo","meta":{"endpoint":"/home","method":"GET"}}
```
## 📼 installing
Create a new exec project with `zig init-exe`. Copy the echo handler example above into `src/main.zig`
Create a `build.zig.zon` file to declare a dependency
> .zon short for "zig object notation" files are essentially zig structs. `build.zig.zon` is zigs native package manager convention for where to declare dependencies
Starting in zig 0.12.0, you can use and should prefer
```sh
zig fetch --save https://github.com/softprops/zig-jsonlog/archive/refs/tags/v0.2.1.tar.gz
```
otherwise, to manually add it, do so as follows
```diff
.{
.name = "my-app",
.version = "0.1.0",
.dependencies = .{
+ // 👇 declare dep properties
+ .jsonlog = .{
+ // 👇 uri to download
+ .url = "https://github.com/softprops/zig-jsonlog/archive/refs/tags/v0.2.1.tar.gz",
+ // 👇 hash verification
+ .hash = "...",
+ },
},
}
```
> the hash below may vary. you can also depend any tag with `https://github.com/softprops/zig-jsonlog/archive/refs/tags/v{version}.tar.gz` or current main with `https://github.com/softprops/zig-jsonlog/archive/refs/heads/main/main.tar.gz`. to resolve a hash omit it and let zig tell you the expected value.
Add the following in your `build.zig` file
```diff
const std = @import("std");
pub fn build(b: *std.Build) void {
const target = b.standardTargetOptions(.{});
const optimize = b.standardOptimizeOption(.{});
// 👇 de-reference jsonlog dep from build.zig.zon
+ const jsonlog = b.dependency("jsonlog", .{
+ .target = target,
+ .optimize = optimize,
+ }).module("jsonlog");
var exe = b.addExecutable(.{
.name = "your-exe",
.root_source_file = .{ .path = "src/main.zig" },
.target = target,
.optimize = optimize,
});
// 👇 add the jsonlog module to executable
+ exe.root_mode.addImport("jsonlog", jsonlog);
b.installArtifact(exe);
}
```
## 🥹 for budding ziglings
Does this look interesting but you're new to zig and feel left out? No problem, zig is young so most us of our new are as well. Here are some resources to help get you up to speed on zig
- [the official zig website](https://ziglang.org/)
- [zig's one-page language documentation](https://ziglang.org/documentation/0.13.0/)
- [ziglearn](https://ziglearn.org/)
- [ziglings exercises](https://github.com/ratfactor/ziglings)
\- softprops 2024
|
0 | repos | repos/zig-jsonlog/build.zig.zon | .{
.name = "jsonlog",
.version = "0.2.0",
.minimum_zig_version = "0.13.0",
.paths = .{""},
}
|
0 | repos | repos/zig-jsonlog/build.zig | const std = @import("std");
// Although this function looks imperative, note that its job is to
// declaratively construct a build graph that will be executed by an external
// runner.
pub fn build(b: *std.Build) !void {
// Standard target options allows the person running `zig build` to choose
// what target to build for. Here we do not override the defaults, which
// means any target is allowed, and the default is native. Other options
// for restricting supported target set are available.
const target = b.standardTargetOptions(.{});
// Standard optimization options allow the person running `zig build` to select
// between Debug, ReleaseSafe, ReleaseFast, and ReleaseSmall. Here we do not
// set a preferred release mode, allowing the user to decide how to optimize.
const optimize = b.standardOptimizeOption(.{});
// create a module to be used internally.
const jsonlog_module = b.createModule(.{
.root_source_file = b.path("src/main.zig"),
});
// register the module so it can be referenced
// using the package manager.
try b.modules.put(b.dupe("jsonlog"), jsonlog_module);
// Creates a step for unit testing. This only builds the test executable
// but does not run it.
const unit_tests = b.addTest(.{
.root_source_file = b.path("src/main.zig"),
.target = target,
.optimize = optimize,
});
const run_unit_tests = b.addRunArtifact(unit_tests);
// Similar to creating the run step earlier, this exposes a `test` step to
// the `zig build --help` menu, providing a way for the user to request
// running the unit tests.
const test_step = b.step("test", "Run unit tests");
test_step.dependOn(&run_unit_tests.step);
// examples (pattern inspired by zap's build.zig)
inline for ([_]struct {
name: []const u8,
src: []const u8,
}{
.{ .name = "demo", .src = "examples/demo/main.zig" },
}) |example| {
const example_step = b.step(try std.fmt.allocPrint(
b.allocator,
"{s}-example",
.{example.name},
), try std.fmt.allocPrint(
b.allocator,
"build the {s} example",
.{example.name},
));
const example_run_step = b.step(try std.fmt.allocPrint(
b.allocator,
"run-{s}-example",
.{example.name},
), try std.fmt.allocPrint(
b.allocator,
"run the {s} example",
.{example.name},
));
var exe = b.addExecutable(.{
.name = example.name,
.root_source_file = b.path(example.src),
.target = target,
.optimize = optimize,
});
exe.root_module.addImport("jsonlog", jsonlog_module);
// run the artifact - depending on the example exe
const example_run = b.addRunArtifact(exe);
example_run_step.dependOn(&example_run.step);
// install the artifact - depending on the example exe
const example_build_step = b.addInstallArtifact(exe, .{});
example_step.dependOn(&example_build_step.step);
}
}
|
0 | repos/zig-jsonlog | repos/zig-jsonlog/src/main.zig | //! Provides a JSON formatter for std lib logging
//!
//! Use as follows
//!
//! ```zig
//! const jsonLog = @import("jsonlog");
//! pub const std_options: std.Options = .{
//! .logFn = jsonLog.func,
//! };
//! ```
//!
//! In addition you may use an alternate interface which allows you to provide
//! arbitrary metadata with logs.
//!
//! ```zig
//! const jsonLog = @import("jsonlog");
//! jsonLog.info("looks good to me", .{}, .{
//! .foo = "bar",
//! });
//! ```
const std = @import("std");
const timestamp = @import("timestamp.zig");
const LogFn = fn (comptime std.log.Level, comptime @TypeOf(.enum_literal), comptime []const u8, anytype) void;
const defaultLogger = Logger(std.io.getStdErr().writer());
/// A JSON-based logging impl that writes to stderr
pub const logFn = defaultLogger.func;
const default = scoped(.default);
/// Same as `std.log.scoped` but provides an interface for supplying arbitrary metadata with
/// log entries which will get serialized to JSON
pub fn scoped(comptime scope: @Type(.EnumLiteral)) type {
return struct {
/// Same as `std.log.debug` except you may provide arbitrary metadata to serialize with log output
pub fn debug(comptime format: []const u8, args: anytype, meta: anytype) void {
withMeta(meta)(.debug, scope, format, args);
}
/// Same as `std.log.info` except you may provide arbitrary metadata to serialize with log output
pub fn info(comptime format: []const u8, args: anytype, meta: anytype) void {
withMeta(meta)(.info, scope, format, args);
}
/// Same as `std.log.warn` except you may provide arbitrary metadata to serialize with log output
pub fn warn(comptime format: []const u8, args: anytype, meta: anytype) void {
withMeta(meta)(.warn, scope, format, args);
}
/// Same as `std.log.err` except you may provide arbitrary metadata to serialize with log output
pub fn err(comptime format: []const u8, args: anytype, meta: anytype) void {
withMeta(meta)(.err, scope, format, args);
}
};
}
/// Same as `std.log.debug` except you may provide arbitrary metadata to serialize with log output
pub const debug = default.debug;
/// Same as `std.log.info` except you may provide arbitrary metadata to serialize with log output
pub const info = default.info;
/// Same as `std.log.warn` except you may provide arbitrary metadata to serialize with log output
pub const warn = default.warn;
/// Same as `std.log.err` except you may provide arbitrary metadata to serialize with log output
pub const err = default.err;
fn withMeta(comptime data: anytype) LogFn {
return struct {
fn func(
comptime level: std.log.Level,
comptime scope: @TypeOf(.EnumLiteral),
comptime format: []const u8,
args: anytype,
) void {
defaultLogger.metaFunc(
level,
scope,
format,
args,
data,
std.time.milliTimestamp(),
);
}
}.func;
}
// fixme: not all possible writers can be comptime. rework this interface so runtime
// writers can be provided
fn Logger(comptime writer: anytype) type {
return struct {
fn func(
comptime level: std.log.Level,
comptime scope: @TypeOf(.EnumLiteral),
comptime format: []const u8,
args: anytype,
) void {
metaFunc(
level,
scope,
format,
args,
null,
std.time.milliTimestamp(),
);
}
fn metaFunc(
comptime level: std.log.Level,
comptime scope: @TypeOf(.EnumLiteral),
comptime format: []const u8,
args: anytype,
meta: anytype,
epocMillis: i64,
) void {
impl(
level,
scope,
format,
args,
meta,
epocMillis,
writer,
);
}
};
}
inline fn impl(
comptime level: std.log.Level,
comptime scope: @TypeOf(.EnumLiteral),
comptime format: []const u8,
args: anytype,
meta: anytype,
epocMillis: i64,
writer: anytype,
) void {
var msg: [std.fmt.count(format, args)]u8 = undefined;
_ = std.fmt.bufPrint(&msg, format, args) catch |e| {
// the only possible error here is errror.NoSpaceLeft and if that happens
// in means the std lib fmt.count(...) is broken
std.debug.print("caught err writing to buffer {any}", .{e});
return;
};
// it's common for users of std.log.{info,warn,...} to append a new line to log formats
// these are not needed here as we produce newline delimited json
var message: []u8 = &msg;
if (std.mem.endsWith(u8, &msg, "\n")) {
message = msg[0 .. msg.len - 1];
}
var tsbuf: [24]u8 = undefined; // yyyy-mm-ddThh:mm:ss:SSSZ
const ts = std.fmt.bufPrint(&tsbuf, "{any}", .{timestamp.Timestamp.fromEpochMillis(epocMillis)}) catch |e| blk: {
// the only possible error here is errror.NoSpaceLeft and if that happens
// in means the std lib timestamp.format(...) is broken
std.debug.print("timestamp error {any}", .{e});
break :blk "???";
};
const payload = if (@TypeOf(meta) == @TypeOf(null)) .{
.ts = ts,
.level = level.asText(),
.msg = message,
.scope = @tagName(scope),
} else .{
.ts = ts,
.level = level.asText(),
.msg = message,
.scope = @tagName(scope),
.meta = meta,
};
nosuspend std.json.stringify(payload, .{}, writer) catch |e| {
std.debug.print("caught err writing json {any}", .{e});
};
writer.writeByte('\n') catch return;
}
test "std" {
var buf: [76]u8 = undefined;
var fbs = std.io.fixedBufferStream(&buf);
const writer = fbs.writer();
impl(
.info,
.bar,
"test",
.{},
null,
1710946475600,
writer,
);
const actual = fbs.getWritten();
try std.testing.expectEqualStrings(
\\{"ts":"2024-03-20T14:54:35.600Z","level":"info","msg":"test","scope":"bar"}
\\
, actual);
}
test "meta" {
var buf: [103]u8 = undefined;
var fbs = std.io.fixedBufferStream(&buf);
const writer = fbs.writer();
impl(
.info,
.bar,
"test",
.{},
.{ .custom = "field" },
1710946475600,
writer,
);
const actual = fbs.getWritten();
try std.testing.expectEqualStrings(
\\{"ts":"2024-03-20T14:54:35.600Z","level":"info","msg":"test","scope":"bar","meta":{"custom":"field"}}
\\
, actual);
}
|
0 | repos/zig-jsonlog | repos/zig-jsonlog/src/timestamp.zig | const std = @import("std");
/// when printed, formats epoc seconds as an ISO-8601 UTC timestamp
pub const Timestamp = struct {
millis: i64,
pub fn now() Timestamp {
return Timestamp{ .seconds = std.time.milliTimestamp() };
}
/// typically millis will come from `std.time.milliTimestamp()`
pub fn fromEpochMillis(millis: i64) Timestamp {
return Timestamp{ .millis = millis };
}
pub fn format(
self: @This(),
comptime _: []const u8,
_: std.fmt.FormatOptions,
writer: anytype,
) !void {
const secs = @divTrunc(self.millis, 1000);
const millis: u64 = @intCast(@mod(self.millis, 1000));
const seconds: std.time.epoch.EpochSeconds = .{ .secs = @intCast(secs) };
const day = seconds.getEpochDay();
const day_seconds = seconds.getDaySeconds();
const year_day = day.calculateYearDay();
const month_day = year_day.calculateMonthDay();
try writer.print("{d}-{d:0>2}-{d:0>2}T{d:0>2}:{d:0>2}:{d:0>2}.{d:0>3}Z", .{
year_day.year,
month_day.month.numeric(),
month_day.day_index + 1,
day_seconds.getHoursIntoDay(),
day_seconds.getMinutesIntoHour(),
day_seconds.getSecondsIntoMinute(),
millis,
});
}
};
test "fmt" {
var buf: [40]u8 = undefined; // yyyy-mm-ddThh:mm:ss:SSZ
const actual = try std.fmt.bufPrint(
&buf,
"{any}",
.{Timestamp.fromEpochMillis(1710946475600)},
);
try std.testing.expectEqualStrings(
"2024-03-20T14:54:35.600Z",
actual,
);
}
|
0 | repos/zig-jsonlog/examples | repos/zig-jsonlog/examples/demo/main.zig | const std = @import("std");
const jsonLog = @import("jsonlog");
const log = std.log.scoped(.demo);
pub const std_options: std.Options = .{
// configure the std lib log api fn to use jsonlog formatting
.logFn = jsonLog.logFn,
};
pub fn main() void {
// std log interface
log.debug("DEBUG", .{});
log.info("INFO", .{});
log.warn("WARN", .{});
log.err("ERR", .{});
// jsonLog interface for provoding arbitrary structured metadata
jsonLog.info("things are happening", .{}, .{
.endpoint = "/home",
.method = "GET",
});
// create a custom scope for doing the same
jsonLog.scoped(.demo).warn("things could be better", .{}, .{
.endpoint = "/home",
.method = "GET",
});
}
|
0 | repos | repos/tetris/README.md | # Tetris
A simple tetris clone written in
[zig programming language](https://github.com/andrewrk/zig).

## Controls
* Left/Right/Down Arrow - Move piece left/right/down.
* Up Arrow - Rotate piece clockwise.
* Shift - Rotate piece counter clockwise.
* Space - Drop piece immediately.
* Left Ctrl - Hold piece.
* R - Start new game.
* P - Pause and unpause game.
* Escape - Quit.
## Dependencies
* [Zig compiler](https://github.com/andrewrk/zig) - use the debug build.
* [libepoxy](https://github.com/anholt/libepoxy)
* [GLFW](http://www.glfw.org/)
## Building and Running
```
zig build play
```
|
0 | repos | repos/tetris/build.zig | const std = @import("std");
pub fn build(b: *std.Build) void {
const target = b.standardTargetOptions(.{});
const optimize = b.standardOptimizeOption(.{});
const use_llvm = b.option(bool, "use-llvm", "use the LLVM backend");
const exe = b.addExecutable(.{
.name = "tetris",
.root_source_file = b.path("src/main.zig"),
.optimize = optimize,
.target = target,
.use_llvm = use_llvm,
.use_lld = use_llvm,
});
exe.linkLibC();
exe.linkSystemLibrary("glfw");
exe.linkSystemLibrary("epoxy");
b.installArtifact(exe);
const play = b.step("play", "Play the game");
const run = b.addRunArtifact(exe);
run.step.dependOn(b.getInstallStep());
play.dependOn(&run.step);
}
|
0 | repos/tetris | repos/tetris/src/static_geometry.zig | const c = @import("c.zig");
pub const StaticGeometry = struct {
rect_2d_vertex_buffer: c.GLuint,
rect_2d_tex_coord_buffer: c.GLuint,
triangle_2d_vertex_buffer: c.GLuint,
triangle_2d_tex_coord_buffer: c.GLuint,
pub fn create() StaticGeometry {
var sg: StaticGeometry = undefined;
const rect_2d_vertexes = [_][3]c.GLfloat{
[_]c.GLfloat{ 0.0, 0.0, 0.0 },
[_]c.GLfloat{ 0.0, 1.0, 0.0 },
[_]c.GLfloat{ 1.0, 0.0, 0.0 },
[_]c.GLfloat{ 1.0, 1.0, 0.0 },
};
c.glGenBuffers(1, &sg.rect_2d_vertex_buffer);
c.glBindBuffer(c.GL_ARRAY_BUFFER, sg.rect_2d_vertex_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 4 * 3 * @sizeOf(c.GLfloat), &rect_2d_vertexes, c.GL_STATIC_DRAW);
const rect_2d_tex_coords = [_][2]c.GLfloat{
[_]c.GLfloat{ 0, 0 },
[_]c.GLfloat{ 0, 1 },
[_]c.GLfloat{ 1, 0 },
[_]c.GLfloat{ 1, 1 },
};
c.glGenBuffers(1, &sg.rect_2d_tex_coord_buffer);
c.glBindBuffer(c.GL_ARRAY_BUFFER, sg.rect_2d_tex_coord_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 4 * 2 * @sizeOf(c.GLfloat), &rect_2d_tex_coords, c.GL_STATIC_DRAW);
const triangle_2d_vertexes = [_][3]c.GLfloat{
[_]c.GLfloat{ 0.0, 0.0, 0.0 },
[_]c.GLfloat{ 0.0, 1.0, 0.0 },
[_]c.GLfloat{ 1.0, 0.0, 0.0 },
};
c.glGenBuffers(1, &sg.triangle_2d_vertex_buffer);
c.glBindBuffer(c.GL_ARRAY_BUFFER, sg.triangle_2d_vertex_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 3 * 3 * @sizeOf(c.GLfloat), &triangle_2d_vertexes, c.GL_STATIC_DRAW);
const triangle_2d_tex_coords = [_][2]c.GLfloat{
[_]c.GLfloat{ 0, 0 },
[_]c.GLfloat{ 0, 1 },
[_]c.GLfloat{ 1, 0 },
};
c.glGenBuffers(1, &sg.triangle_2d_tex_coord_buffer);
c.glBindBuffer(c.GL_ARRAY_BUFFER, sg.triangle_2d_tex_coord_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 3 * 2 * @sizeOf(c.GLfloat), &triangle_2d_tex_coords, c.GL_STATIC_DRAW);
return sg;
}
pub fn destroy(sg: *StaticGeometry) void {
c.glDeleteBuffers(1, &sg.rect_2d_tex_coord_buffer);
c.glDeleteBuffers(1, &sg.rect_2d_vertex_buffer);
c.glDeleteBuffers(1, &sg.triangle_2d_vertex_buffer);
c.glDeleteBuffers(1, &sg.triangle_2d_tex_coord_buffer);
}
};
|
0 | repos/tetris | repos/tetris/src/c.zig | pub usingnamespace @cImport({
@cInclude("stdio.h");
@cInclude("math.h");
@cInclude("time.h");
@cInclude("stdlib.h");
@cInclude("epoxy/gl.h");
@cInclude("GLFW/glfw3.h");
});
|
0 | repos/tetris | repos/tetris/src/main.zig | const math3d = @import("math3d.zig");
const Mat4x4 = math3d.Mat4x4;
const Vec3 = math3d.Vec3;
const Vec4 = math3d.Vec4;
const Tetris = @import("tetris.zig").Tetris;
const std = @import("std");
const assert = std.debug.assert;
const bufPrint = std.fmt.bufPrint;
const c = @import("c.zig");
const debug_gl = @import("debug_gl.zig");
const AllShaders = @import("all_shaders.zig").AllShaders;
const StaticGeometry = @import("static_geometry.zig").StaticGeometry;
const pieces = @import("pieces.zig");
const Piece = pieces.Piece;
const Spritesheet = @import("spritesheet.zig").Spritesheet;
var window: *c.GLFWwindow = undefined;
var all_shaders: AllShaders = undefined;
var static_geometry: StaticGeometry = undefined;
var font: Spritesheet = undefined;
fn errorCallback(err: c_int, description: [*c]const u8) callconv(.C) void {
_ = err;
_ = c.printf("Error: %s\n", description);
c.abort();
}
fn keyCallback(
win: ?*c.GLFWwindow,
key: c_int,
scancode: c_int,
action: c_int,
mods: c_int,
) callconv(.C) void {
_ = mods;
_ = scancode;
const t: *Tetris = @ptrCast(@alignCast(c.glfwGetWindowUserPointer(win).?));
const first_delay = 0.2;
if (action == c.GLFW_PRESS) {
switch (key) {
c.GLFW_KEY_ESCAPE => c.glfwSetWindowShouldClose(win, c.GL_TRUE),
c.GLFW_KEY_SPACE => t.userDropCurPiece(),
c.GLFW_KEY_DOWN, c.GLFW_KEY_S => {
t.down_key_held = true;
t.down_move_time = c.glfwGetTime() + first_delay;
t.userCurPieceFall();
},
c.GLFW_KEY_LEFT, c.GLFW_KEY_A => {
t.left_key_held = true;
t.left_move_time = c.glfwGetTime() + first_delay;
t.userMoveCurPiece(-1);
},
c.GLFW_KEY_RIGHT, c.GLFW_KEY_D => {
t.right_key_held = true;
t.right_move_time = c.glfwGetTime() + first_delay;
t.userMoveCurPiece(1);
},
c.GLFW_KEY_UP, c.GLFW_KEY_W => t.userRotateCurPiece(1),
c.GLFW_KEY_LEFT_SHIFT, c.GLFW_KEY_RIGHT_SHIFT => t.userRotateCurPiece(-1),
c.GLFW_KEY_R => t.restartGame(),
c.GLFW_KEY_P => t.userTogglePause(),
c.GLFW_KEY_LEFT_CONTROL, c.GLFW_KEY_RIGHT_CONTROL => t.userSetHoldPiece(),
else => {},
}
} else if (action == c.GLFW_RELEASE) {
switch (key) {
c.GLFW_KEY_DOWN, c.GLFW_KEY_S => {
t.down_key_held = false;
},
c.GLFW_KEY_LEFT, c.GLFW_KEY_A => {
t.left_key_held = false;
},
c.GLFW_KEY_RIGHT, c.GLFW_KEY_D => {
t.right_key_held = false;
},
else => {},
}
}
}
var tetris_state: Tetris = undefined;
const font_bmp = @embedFile("assets/font.bmp");
pub fn main() void {
main2() catch c.abort();
}
pub fn main2() !void {
_ = c.glfwSetErrorCallback(errorCallback);
if (c.glfwInit() == c.GL_FALSE) @panic("GLFW init failure");
defer c.glfwTerminate();
c.glfwWindowHint(c.GLFW_CONTEXT_VERSION_MAJOR, 3);
c.glfwWindowHint(c.GLFW_CONTEXT_VERSION_MINOR, 2);
c.glfwWindowHint(c.GLFW_OPENGL_FORWARD_COMPAT, c.GL_TRUE);
c.glfwWindowHint(c.GLFW_OPENGL_DEBUG_CONTEXT, debug_gl.is_on);
c.glfwWindowHint(c.GLFW_OPENGL_PROFILE, c.GLFW_OPENGL_CORE_PROFILE);
c.glfwWindowHint(c.GLFW_DEPTH_BITS, 0);
c.glfwWindowHint(c.GLFW_STENCIL_BITS, 8);
c.glfwWindowHint(c.GLFW_RESIZABLE, c.GL_FALSE);
window = c.glfwCreateWindow(Tetris.window_width, Tetris.window_height, "Tetris", null, null) orelse
@panic("unable to create window");
defer c.glfwDestroyWindow(window);
_ = c.glfwSetKeyCallback(window, keyCallback);
c.glfwMakeContextCurrent(window);
c.glfwSwapInterval(1);
// create and bind exactly one vertex array per context and use
// glVertexAttribPointer etc every frame.
var vertex_array_object: c.GLuint = undefined;
c.glGenVertexArrays(1, &vertex_array_object);
c.glBindVertexArray(vertex_array_object);
defer c.glDeleteVertexArrays(1, &vertex_array_object);
const t = &tetris_state;
c.glfwGetFramebufferSize(window, &t.framebuffer_width, &t.framebuffer_height);
assert(t.framebuffer_width >= Tetris.window_width);
assert(t.framebuffer_height >= Tetris.window_height);
all_shaders = try AllShaders.create();
defer all_shaders.destroy();
static_geometry = StaticGeometry.create();
defer static_geometry.destroy();
font.init(font_bmp, Tetris.font_char_width, Tetris.font_char_height) catch @panic("unable to read assets");
defer font.deinit();
c.srand(@truncate(@as(c_ulong, @bitCast(c.time(null)))));
t.resetProjection();
t.restartGame();
c.glClearColor(0.0, 0.0, 0.0, 1.0);
c.glEnable(c.GL_BLEND);
c.glBlendFunc(c.GL_SRC_ALPHA, c.GL_ONE_MINUS_SRC_ALPHA);
c.glPixelStorei(c.GL_UNPACK_ALIGNMENT, 1);
c.glViewport(0, 0, t.framebuffer_width, t.framebuffer_height);
c.glfwSetWindowUserPointer(window, t);
debug_gl.assertNoError();
const start_time = c.glfwGetTime();
var prev_time = start_time;
while (c.glfwWindowShouldClose(window) == c.GL_FALSE) {
c.glClear(c.GL_COLOR_BUFFER_BIT | c.GL_DEPTH_BUFFER_BIT | c.GL_STENCIL_BUFFER_BIT);
const now_time = c.glfwGetTime();
const elapsed = now_time - prev_time;
prev_time = now_time;
t.doBiosKeys(now_time);
t.nextFrame(elapsed);
t.draw(@This());
c.glfwSwapBuffers(window);
c.glfwPollEvents();
}
debug_gl.assertNoError();
}
pub fn fillRectMvp(color: Vec4, mvp: Mat4x4) void {
all_shaders.primitive.bind();
all_shaders.primitive.setUniformVec4(all_shaders.primitive_uniform_color, color);
all_shaders.primitive.setUniformMat4x4(all_shaders.primitive_uniform_mvp, mvp);
c.glBindBuffer(c.GL_ARRAY_BUFFER, static_geometry.rect_2d_vertex_buffer);
c.glEnableVertexAttribArray(@intCast(all_shaders.primitive_attrib_position));
c.glVertexAttribPointer(@intCast(all_shaders.primitive_attrib_position), 3, c.GL_FLOAT, c.GL_FALSE, 0, null);
c.glDrawArrays(c.GL_TRIANGLE_STRIP, 0, 4);
}
pub fn drawParticle(t: *Tetris, p: Tetris.Particle) void {
const model = Mat4x4.identity.translateByVec(p.pos).rotate(p.angle, p.axis).scale(p.scale_w, p.scale_h, 0.0);
const mvp = t.projection.mult(model);
all_shaders.primitive.bind();
all_shaders.primitive.setUniformVec4(all_shaders.primitive_uniform_color, p.color);
all_shaders.primitive.setUniformMat4x4(all_shaders.primitive_uniform_mvp, mvp);
c.glBindBuffer(c.GL_ARRAY_BUFFER, static_geometry.triangle_2d_vertex_buffer);
c.glEnableVertexAttribArray(@intCast(all_shaders.primitive_attrib_position));
c.glVertexAttribPointer(@intCast(all_shaders.primitive_attrib_position), 3, c.GL_FLOAT, c.GL_FALSE, 0, null);
c.glDrawArrays(c.GL_TRIANGLE_STRIP, 0, 3);
}
pub fn drawText(t: *Tetris, text: []const u8, left: i32, top: i32, size: f32) void {
for (text, 0..) |col, i| {
if (col <= '~') {
const char_left = @as(f32, @floatFromInt(left)) + @as(f32, @floatFromInt(i * Tetris.font_char_width)) * size;
const model = Mat4x4.identity.translate(char_left, @floatFromInt(top), 0.0).scale(size, size, 0.0);
const mvp = t.projection.mult(model);
font.draw(all_shaders, col, mvp);
} else {
unreachable;
}
}
}
|
0 | repos/tetris | repos/tetris/src/Bmp.zig | const std = @import("std");
const c = @import("c.zig");
const Bmp = @This();
const assert = std.debug.assert;
width: u32,
height: u32,
pitch: u32,
raw: []const u8,
const Header = extern struct {
magic: [2]u8,
size: u32 align(1),
reserved: u32 align(1),
pixel_offset: u32 align(1),
header_size: u32 align(1),
width: u32 align(1),
height: u32 align(1),
};
pub fn create(compressed_bytes: []const u8) Bmp {
const header: *const Header = @ptrCast(compressed_bytes);
assert(header.magic[0] == 'B');
assert(header.magic[1] == 'M');
const bits_per_channel = 8;
const channel_count = 4;
const width = header.width;
const height = header.height;
const pitch = width * bits_per_channel * channel_count / 8;
return .{
.raw = compressed_bytes[header.pixel_offset..][0 .. height * pitch],
.width = width,
.height = height,
.pitch = pitch,
};
}
|
0 | repos/tetris | repos/tetris/src/math3d.zig | const std = @import("std");
const assert = std.debug.assert;
const c = @import("c.zig");
pub const Mat4x4 = struct {
data: [4][4]f32,
pub const identity = Mat4x4{
.data = [_][4]f32{
[_]f32{ 1.0, 0.0, 0.0, 0.0 },
[_]f32{ 0.0, 1.0, 0.0, 0.0 },
[_]f32{ 0.0, 0.0, 1.0, 0.0 },
[_]f32{ 0.0, 0.0, 0.0, 1.0 },
},
};
/// matrix multiplication
pub fn mult(m: Mat4x4, other: Mat4x4) Mat4x4 {
return Mat4x4{
.data = [_][4]f32{
[_]f32{
m.data[0][0] * other.data[0][0] + m.data[0][1] * other.data[1][0] + m.data[0][2] * other.data[2][0] + m.data[0][3] * other.data[3][0],
m.data[0][0] * other.data[0][1] + m.data[0][1] * other.data[1][1] + m.data[0][2] * other.data[2][1] + m.data[0][3] * other.data[3][1],
m.data[0][0] * other.data[0][2] + m.data[0][1] * other.data[1][2] + m.data[0][2] * other.data[2][2] + m.data[0][3] * other.data[3][2],
m.data[0][0] * other.data[0][3] + m.data[0][1] * other.data[1][3] + m.data[0][2] * other.data[2][3] + m.data[0][3] * other.data[3][3],
},
[_]f32{
m.data[1][0] * other.data[0][0] + m.data[1][1] * other.data[1][0] + m.data[1][2] * other.data[2][0] + m.data[1][3] * other.data[3][0],
m.data[1][0] * other.data[0][1] + m.data[1][1] * other.data[1][1] + m.data[1][2] * other.data[2][1] + m.data[1][3] * other.data[3][1],
m.data[1][0] * other.data[0][2] + m.data[1][1] * other.data[1][2] + m.data[1][2] * other.data[2][2] + m.data[1][3] * other.data[3][2],
m.data[1][0] * other.data[0][3] + m.data[1][1] * other.data[1][3] + m.data[1][2] * other.data[2][3] + m.data[1][3] * other.data[3][3],
},
[_]f32{
m.data[2][0] * other.data[0][0] + m.data[2][1] * other.data[1][0] + m.data[2][2] * other.data[2][0] + m.data[2][3] * other.data[3][0],
m.data[2][0] * other.data[0][1] + m.data[2][1] * other.data[1][1] + m.data[2][2] * other.data[2][1] + m.data[2][3] * other.data[3][1],
m.data[2][0] * other.data[0][2] + m.data[2][1] * other.data[1][2] + m.data[2][2] * other.data[2][2] + m.data[2][3] * other.data[3][2],
m.data[2][0] * other.data[0][3] + m.data[2][1] * other.data[1][3] + m.data[2][2] * other.data[2][3] + m.data[2][3] * other.data[3][3],
},
[_]f32{
m.data[3][0] * other.data[0][0] + m.data[3][1] * other.data[1][0] + m.data[3][2] * other.data[2][0] + m.data[3][3] * other.data[3][0],
m.data[3][0] * other.data[0][1] + m.data[3][1] * other.data[1][1] + m.data[3][2] * other.data[2][1] + m.data[3][3] * other.data[3][1],
m.data[3][0] * other.data[0][2] + m.data[3][1] * other.data[1][2] + m.data[3][2] * other.data[2][2] + m.data[3][3] * other.data[3][2],
m.data[3][0] * other.data[0][3] + m.data[3][1] * other.data[1][3] + m.data[3][2] * other.data[2][3] + m.data[3][3] * other.data[3][3],
},
},
};
}
/// Builds a rotation 4 * 4 matrix created from an axis vector and an angle.
/// Input matrix multiplied by this rotation matrix.
/// angle: Rotation angle expressed in radians.
/// axis: Rotation axis, recommended to be normalized.
pub fn rotate(m: Mat4x4, angle: f32, axis_unnormalized: Vec3) Mat4x4 {
const cos = c.cosf(angle);
const s = c.sinf(angle);
const axis = axis_unnormalized.normalize();
const temp = axis.scale(1.0 - cos);
const rot = Mat4x4{
.data = [_][4]f32{
[_]f32{ cos + temp.data[0] * axis.data[0], 0.0 + temp.data[1] * axis.data[0] - s * axis.data[2], 0.0 + temp.data[2] * axis.data[0] + s * axis.data[1], 0.0 },
[_]f32{ 0.0 + temp.data[0] * axis.data[1] + s * axis.data[2], cos + temp.data[1] * axis.data[1], 0.0 + temp.data[2] * axis.data[1] - s * axis.data[0], 0.0 },
[_]f32{ 0.0 + temp.data[0] * axis.data[2] - s * axis.data[1], 0.0 + temp.data[1] * axis.data[2] + s * axis.data[0], cos + temp.data[2] * axis.data[2], 0.0 },
[_]f32{ 0.0, 0.0, 0.0, 0.0 },
},
};
return Mat4x4{
.data = [_][4]f32{
[_]f32{
m.data[0][0] * rot.data[0][0] + m.data[0][1] * rot.data[1][0] + m.data[0][2] * rot.data[2][0],
m.data[0][0] * rot.data[0][1] + m.data[0][1] * rot.data[1][1] + m.data[0][2] * rot.data[2][1],
m.data[0][0] * rot.data[0][2] + m.data[0][1] * rot.data[1][2] + m.data[0][2] * rot.data[2][2],
m.data[0][3],
},
[_]f32{
m.data[1][0] * rot.data[0][0] + m.data[1][1] * rot.data[1][0] + m.data[1][2] * rot.data[2][0],
m.data[1][0] * rot.data[0][1] + m.data[1][1] * rot.data[1][1] + m.data[1][2] * rot.data[2][1],
m.data[1][0] * rot.data[0][2] + m.data[1][1] * rot.data[1][2] + m.data[1][2] * rot.data[2][2],
m.data[1][3],
},
[_]f32{
m.data[2][0] * rot.data[0][0] + m.data[2][1] * rot.data[1][0] + m.data[2][2] * rot.data[2][0],
m.data[2][0] * rot.data[0][1] + m.data[2][1] * rot.data[1][1] + m.data[2][2] * rot.data[2][1],
m.data[2][0] * rot.data[0][2] + m.data[2][1] * rot.data[1][2] + m.data[2][2] * rot.data[2][2],
m.data[2][3],
},
[_]f32{
m.data[3][0] * rot.data[0][0] + m.data[3][1] * rot.data[1][0] + m.data[3][2] * rot.data[2][0],
m.data[3][0] * rot.data[0][1] + m.data[3][1] * rot.data[1][1] + m.data[3][2] * rot.data[2][1],
m.data[3][0] * rot.data[0][2] + m.data[3][1] * rot.data[1][2] + m.data[3][2] * rot.data[2][2],
m.data[3][3],
},
},
};
}
/// Builds a translation 4 * 4 matrix created from a vector of 3 components.
/// Input matrix multiplied by this translation matrix.
pub fn translate(m: Mat4x4, x: f32, y: f32, z: f32) Mat4x4 {
return Mat4x4{
.data = [_][4]f32{
[_]f32{ m.data[0][0], m.data[0][1], m.data[0][2], m.data[0][3] + m.data[0][0] * x + m.data[0][1] * y + m.data[0][2] * z },
[_]f32{ m.data[1][0], m.data[1][1], m.data[1][2], m.data[1][3] + m.data[1][0] * x + m.data[1][1] * y + m.data[1][2] * z },
[_]f32{ m.data[2][0], m.data[2][1], m.data[2][2], m.data[2][3] + m.data[2][0] * x + m.data[2][1] * y + m.data[2][2] * z },
[_]f32{ m.data[3][0], m.data[3][1], m.data[3][2], m.data[3][3] },
},
};
}
pub fn translateByVec(m: Mat4x4, v: Vec3) Mat4x4 {
return m.translate(v.data[0], v.data[1], v.data[2]);
}
/// Builds a scale 4 * 4 matrix created from 3 scalars.
/// Input matrix multiplied by this scale matrix.
pub fn scale(m: Mat4x4, x: f32, y: f32, z: f32) Mat4x4 {
return Mat4x4{
.data = [_][4]f32{
[_]f32{ m.data[0][0] * x, m.data[0][1] * y, m.data[0][2] * z, m.data[0][3] },
[_]f32{ m.data[1][0] * x, m.data[1][1] * y, m.data[1][2] * z, m.data[1][3] },
[_]f32{ m.data[2][0] * x, m.data[2][1] * y, m.data[2][2] * z, m.data[2][3] },
[_]f32{ m.data[3][0] * x, m.data[3][1] * y, m.data[3][2] * z, m.data[3][3] },
},
};
}
pub fn transpose(m: Mat4x4) Mat4x4 {
return Mat4x4{
.data = [_][4]f32{
[_]f32{ m.data[0][0], m.data[1][0], m.data[2][0], m.data[3][0] },
[_]f32{ m.data[0][1], m.data[1][1], m.data[2][1], m.data[3][1] },
[_]f32{ m.data[0][2], m.data[1][2], m.data[2][2], m.data[3][2] },
[_]f32{ m.data[0][3], m.data[1][3], m.data[2][3], m.data[3][3] },
},
};
}
/// Creates a matrix for an orthographic parallel viewing volume.
pub fn ortho(left: f32, right: f32, bottom: f32, top: f32) Mat4x4 {
var m = identity;
m.data[0][0] = 2.0 / (right - left);
m.data[1][1] = 2.0 / (top - bottom);
m.data[2][2] = -1.0;
m.data[0][3] = -(right + left) / (right - left);
m.data[1][3] = -(top + bottom) / (top - bottom);
return m;
}
};
pub const Vec3 = struct {
data: [3]f32,
pub fn init(x: f32, y: f32, z: f32) Vec3 {
return Vec3{
.data = [_]f32{ x, y, z },
};
}
pub fn normalize(v: Vec3) Vec3 {
return v.scale(1.0 / c.sqrtf(v.dot(v)));
}
pub fn scale(v: Vec3, scalar: f32) Vec3 {
return Vec3{
.data = [_]f32{
v.data[0] * scalar,
v.data[1] * scalar,
v.data[2] * scalar,
},
};
}
pub fn dot(v: Vec3, other: Vec3) f32 {
return v.data[0] * other.data[0] +
v.data[1] * other.data[1] +
v.data[2] * other.data[2];
}
pub fn length(v: Vec3) f32 {
return c.sqrtf(v.dot(v));
}
/// returns the cross product
pub fn cross(v: Vec3, other: Vec3) Vec3 {
return Vec3{
.data = [_]f32{
v.data[1] * other.data[2] - other.data[1] * v.data[2],
v.data[2] * other.data[0] - other.data[2] * v.data[0],
v.data[0] * other.data[1] - other.data[0] * v.data[1],
},
};
}
pub fn add(v: Vec3, other: Vec3) Vec3 {
return Vec3{
.data = [_]f32{
v.data[0] + other.data[0],
v.data[1] + other.data[1],
v.data[2] + other.data[2],
},
};
}
};
pub const Vec4 = struct {
data: [4]f32,
pub fn init(xa: f32, xb: f32, xc: f32, xd: f32) Vec4 {
return Vec4{
.data = [_]f32{ xa, xb, xc, xd },
};
}
};
test "scale" {
const m = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.840188, 0.911647, 0.277775, 0.364784 },
[_]f32{ 0.394383, 0.197551, 0.55397, 0.513401 },
[_]f32{ 0.783099, 0.335223, 0.477397, 0.95223 },
[_]f32{ 0.79844, 0.76823, 0.628871, 0.916195 },
},
};
const expected = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.118973, 0.653922, 0.176585, 0.364784 },
[_]f32{ 0.0558456, 0.141703, 0.352165, 0.513401 },
[_]f32{ 0.110889, 0.240454, 0.303487, 0.95223 },
[_]f32{ 0.113061, 0.551049, 0.399781, 0.916195 },
},
};
const answer = m.scale(0.141603, 0.717297, 0.635712);
assert_matrix_eq(answer, expected);
}
test "translate" {
const m = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.840188, 0.911647, 0.277775, 0.364784 },
[_]f32{ 0.394383, 0.197551, 0.55397, 0.513401 },
[_]f32{ 0.783099, 0.335223, 0.477397, 0.95223 },
[_]f32{ 0.79844, 0.76823, 0.628871, 1.0 },
},
};
const expected = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.840188, 0.911647, 0.277775, 1.31426 },
[_]f32{ 0.394383, 0.197551, 0.55397, 1.06311 },
[_]f32{ 0.783099, 0.335223, 0.477397, 1.60706 },
[_]f32{ 0.79844, 0.76823, 0.628871, 1.0 },
},
};
const answer = m.translate(0.141603, 0.717297, 0.635712);
assert_matrix_eq(answer, expected);
}
test "ortho" {
const m = Mat4x4.ortho(0.840188, 0.394383, 0.783099, 0.79844);
const expected = Mat4x4{
.data = [_][4]f32{
[_]f32{ -4.48627, 0.0, 0.0, 2.76931 },
[_]f32{ 0.0, 130.371, 0.0, -103.094 },
[_]f32{ 0.0, 0.0, -1.0, 0.0 },
[_]f32{ 0.0, 0.0, 0.0, 1.0 },
},
};
assert_matrix_eq(m, expected);
}
fn assert_f_eq(left: f32, right: f32) void {
const diff = c.fabsf(left - right);
assert(diff < 0.01);
}
fn assert_matrix_eq(left: Mat4x4, right: Mat4x4) void {
assert_f_eq(left.data[0][0], right.data[0][0]);
assert_f_eq(left.data[0][1], right.data[0][1]);
assert_f_eq(left.data[0][2], right.data[0][2]);
assert_f_eq(left.data[0][3], right.data[0][3]);
assert_f_eq(left.data[1][0], right.data[1][0]);
assert_f_eq(left.data[1][1], right.data[1][1]);
assert_f_eq(left.data[1][2], right.data[1][2]);
assert_f_eq(left.data[1][3], right.data[1][3]);
assert_f_eq(left.data[2][0], right.data[2][0]);
assert_f_eq(left.data[2][1], right.data[2][1]);
assert_f_eq(left.data[2][2], right.data[2][2]);
assert_f_eq(left.data[2][3], right.data[2][3]);
assert_f_eq(left.data[3][0], right.data[3][0]);
assert_f_eq(left.data[3][1], right.data[3][1]);
assert_f_eq(left.data[3][2], right.data[3][2]);
assert_f_eq(left.data[3][3], right.data[3][3]);
}
test "mult" {
const m1 = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.635712, 0.717297, 0.141603, 0.606969 },
[_]f32{ 0.0163006, 0.242887, 0.137232, 0.804177 },
[_]f32{ 0.156679, 0.400944, 0.12979, 0.108809 },
[_]f32{ 0.998924, 0.218257, 0.512932, 0.839112 },
},
};
const m2 = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.840188, 0.394383, 0.783099, 0.79844 },
[_]f32{ 0.911647, 0.197551, 0.335223, 0.76823 },
[_]f32{ 0.277775, 0.55397, 0.477397, 0.628871 },
[_]f32{ 0.364784, 0.513401, 0.95223, 0.916195 },
},
};
const answer = Mat4x4{
.data = [_][4]f32{
[_]f32{ 1.44879, 0.782479, 1.38385, 1.70378 },
[_]f32{ 0.566593, 0.543299, 0.925461, 1.02269 },
[_]f32{ 0.572904, 0.268761, 0.422673, 0.614428 },
[_]f32{ 1.48683, 1.15203, 1.89932, 2.05661 },
},
};
const tmp = m1.mult(m2);
assert_matrix_eq(tmp, answer);
}
test "rotate" {
const m1 = Mat4x4{
.data = [_][4]f32{
[_]f32{ 0.840188, 0.911647, 0.277775, 0.364784 },
[_]f32{ 0.394383, 0.197551, 0.55397, 0.513401 },
[_]f32{ 0.783099, 0.335223, 0.477397, 0.95223 },
[_]f32{ 0.79844, 0.76823, 0.628871, 0.916195 },
},
};
const angle = 0.635712;
const axis = Vec3.init(0.606969, 0.141603, 0.717297);
const expected = Mat4x4{
.data = [_][4]f32{
[_]f32{ 1.17015, 0.488019, 0.0821911, 0.364784 },
[_]f32{ 0.444151, 0.212659, 0.508874, 0.513401 },
[_]f32{ 0.851739, 0.126319, 0.460555, 0.95223 },
[_]f32{ 1.06829, 0.530801, 0.447396, 0.916195 },
},
};
const actual = m1.rotate(angle, axis);
assert_matrix_eq(actual, expected);
}
|
0 | repos/tetris | repos/tetris/src/pieces.zig | const Vec4 = @import("math3d.zig").Vec4;
pub const Piece = struct {
name: u8,
color: Vec4,
layout: [4][4][4]bool,
};
const F = false;
const T = true;
pub const pieces = [_]Piece{
Piece{
.name = 'I',
.color = Vec4{
.data = [_]f32{ 0.0 / 255.0, 255.0 / 255.0, 255.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, T, T },
[_]bool{ F, F, F, F },
},
[_][4]bool{
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, T, T },
[_]bool{ F, F, F, F },
},
[_][4]bool{
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
},
},
},
Piece{
.name = 'O',
.color = Vec4{
.data = [_]f32{ 255.0 / 255.0, 255.0 / 255.0, 0.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ T, T, F, F },
},
},
},
Piece{
.name = 'T',
.color = Vec4{
.data = [_]f32{ 255.0 / 255.0, 0.0 / 255.0, 255.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, T, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, F, F },
[_]bool{ T, T, T, F },
[_]bool{ F, F, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, T, F },
[_]bool{ F, T, F, F },
},
},
},
Piece{
.name = 'J',
.color = Vec4{
.data = [_]f32{ 0.0 / 255.0, 0.0 / 255.0, 255.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ T, F, F, F },
[_]bool{ T, T, T, F },
[_]bool{ F, F, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, T, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, T, F },
[_]bool{ F, F, T, F },
},
},
},
Piece{
.name = 'L',
.color = Vec4{
.data = [_]f32{ 255.0 / 255.0, 128.0 / 255.0, 0.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, T, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, T, F },
[_]bool{ T, F, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, F, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, T, F },
[_]bool{ T, T, T, F },
[_]bool{ F, F, F, F },
},
},
},
Piece{
.name = 'S',
.color = Vec4{
.data = [_]f32{ 0.0 / 255.0, 255.0 / 255.0, 0.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ F, T, T, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ T, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ F, T, T, F },
[_]bool{ T, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ T, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, F, F },
},
},
},
Piece{
.name = 'Z',
.color = Vec4{
.data = [_]f32{ 255.0 / 255.0, 0.0 / 255.0, 0.0 / 255.0, 1.0 },
},
.layout = [_][4][4]bool{
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, T, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, T, F },
[_]bool{ F, T, T, F },
[_]bool{ F, T, F, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, F, F },
[_]bool{ T, T, F, F },
[_]bool{ F, T, T, F },
},
[_][4]bool{
[_]bool{ F, F, F, F },
[_]bool{ F, F, T, F },
[_]bool{ F, T, T, F },
[_]bool{ F, T, F, F },
},
},
},
};
|
0 | repos/tetris | repos/tetris/src/all_shaders.zig | const std = @import("std");
const os = std.os;
const c = @import("c.zig");
const math3d = @import("math3d.zig");
const debug_gl = @import("debug_gl.zig");
const Vec4 = math3d.Vec4;
const Mat4x4 = math3d.Mat4x4;
pub const AllShaders = struct {
primitive: ShaderProgram,
primitive_attrib_position: c.GLint,
primitive_uniform_mvp: c.GLint,
primitive_uniform_color: c.GLint,
texture: ShaderProgram,
texture_attrib_tex_coord: c.GLint,
texture_attrib_position: c.GLint,
texture_uniform_mvp: c.GLint,
texture_uniform_tex: c.GLint,
pub fn create() !AllShaders {
var as: AllShaders = undefined;
as.primitive = try ShaderProgram.create(
\\#version 150 core
\\
\\in vec3 VertexPosition;
\\
\\uniform mat4 MVP;
\\
\\void main(void) {
\\ gl_Position = vec4(VertexPosition, 1.0) * MVP;
\\}
,
\\#version 150 core
\\
\\out vec4 FragColor;
\\
\\uniform vec4 Color;
\\
\\void main(void) {
\\ FragColor = Color;
\\}
, null);
as.primitive_attrib_position = as.primitive.attribLocation("VertexPosition");
as.primitive_uniform_mvp = as.primitive.uniformLocation("MVP");
as.primitive_uniform_color = as.primitive.uniformLocation("Color");
as.texture = try ShaderProgram.create(
\\#version 150 core
\\
\\in vec3 VertexPosition;
\\in vec2 TexCoord;
\\
\\out vec2 FragTexCoord;
\\
\\uniform mat4 MVP;
\\
\\void main(void)
\\{
\\ FragTexCoord = TexCoord;
\\ gl_Position = vec4(VertexPosition, 1.0) * MVP;
\\}
,
\\#version 150 core
\\
\\in vec2 FragTexCoord;
\\out vec4 FragColor;
\\
\\uniform sampler2D Tex;
\\
\\void main(void)
\\{
\\ FragColor = texture(Tex, FragTexCoord);
\\}
, null);
as.texture_attrib_tex_coord = as.texture.attribLocation("TexCoord");
as.texture_attrib_position = as.texture.attribLocation("VertexPosition");
as.texture_uniform_mvp = as.texture.uniformLocation("MVP");
as.texture_uniform_tex = as.texture.uniformLocation("Tex");
debug_gl.assertNoError();
return as;
}
pub fn destroy(as: *AllShaders) void {
as.primitive.destroy();
as.texture.destroy();
}
};
pub const ShaderProgram = struct {
program_id: c.GLuint,
vertex_id: c.GLuint,
fragment_id: c.GLuint,
maybe_geometry_id: ?c.GLuint,
pub fn bind(sp: ShaderProgram) void {
c.glUseProgram(sp.program_id);
}
pub fn attribLocation(sp: ShaderProgram, name: [*:0]const u8) c.GLint {
const id = c.glGetAttribLocation(sp.program_id, name);
if (id == -1) {
_ = c.printf("invalid attrib: %s\n", name);
c.abort();
}
return id;
}
pub fn uniformLocation(sp: ShaderProgram, name: [*:0]const u8) c.GLint {
const id = c.glGetUniformLocation(sp.program_id, name);
if (id == -1) {
_ = c.printf("invalid uniform: %s\n", name);
c.abort();
}
return id;
}
pub fn setUniformInt(sp: ShaderProgram, uniform_id: c.GLint, value: c_int) void {
_ = sp;
c.glUniform1i(uniform_id, value);
}
pub fn setUniformFloat(sp: ShaderProgram, uniform_id: c.GLint, value: f32) void {
_ = sp;
c.glUniform1f(uniform_id, value);
}
pub fn setUniformVec3(sp: ShaderProgram, uniform_id: c.GLint, value: math3d.Vec3) void {
_ = sp;
c.glUniform3fv(uniform_id, 1, &value.data[0]);
}
pub fn setUniformVec4(sp: ShaderProgram, uniform_id: c.GLint, value: Vec4) void {
_ = sp;
c.glUniform4fv(uniform_id, 1, &value.data[0]);
}
pub fn setUniformMat4x4(sp: ShaderProgram, uniform_id: c.GLint, value: Mat4x4) void {
_ = sp;
c.glUniformMatrix4fv(uniform_id, 1, c.GL_FALSE, &value.data[0][0]);
}
pub fn create(
vertex_source: []const u8,
frag_source: []const u8,
maybe_geometry_source: ?[]u8,
) !ShaderProgram {
var sp: ShaderProgram = undefined;
sp.vertex_id = try initGlShader(vertex_source, "vertex", c.GL_VERTEX_SHADER);
sp.fragment_id = try initGlShader(frag_source, "fragment", c.GL_FRAGMENT_SHADER);
sp.maybe_geometry_id = if (maybe_geometry_source) |geo_source|
try initGlShader(geo_source, "geometry", c.GL_GEOMETRY_SHADER)
else
null;
sp.program_id = c.glCreateProgram();
c.glAttachShader(sp.program_id, sp.vertex_id);
c.glAttachShader(sp.program_id, sp.fragment_id);
if (sp.maybe_geometry_id) |geo_id| {
c.glAttachShader(sp.program_id, geo_id);
}
c.glLinkProgram(sp.program_id);
var ok: c.GLint = undefined;
c.glGetProgramiv(sp.program_id, c.GL_LINK_STATUS, &ok);
if (ok != 0) return sp;
var error_size: c.GLint = undefined;
c.glGetProgramiv(sp.program_id, c.GL_INFO_LOG_LENGTH, &error_size);
const message = c.malloc(@intCast(error_size)) orelse return error.OutOfMemory;
c.glGetProgramInfoLog(sp.program_id, error_size, &error_size, @ptrCast(message));
_ = c.printf("Error linking shader program: %s\n", message);
c.abort();
}
pub fn destroy(sp: *ShaderProgram) void {
if (sp.maybe_geometry_id) |geo_id| {
c.glDetachShader(sp.program_id, geo_id);
}
c.glDetachShader(sp.program_id, sp.fragment_id);
c.glDetachShader(sp.program_id, sp.vertex_id);
if (sp.maybe_geometry_id) |geo_id| {
c.glDeleteShader(geo_id);
}
c.glDeleteShader(sp.fragment_id);
c.glDeleteShader(sp.vertex_id);
c.glDeleteProgram(sp.program_id);
}
};
fn initGlShader(source: []const u8, name: [*:0]const u8, kind: c.GLenum) !c.GLuint {
const shader_id = c.glCreateShader(kind);
const source_ptr: ?[*]const u8 = source.ptr;
const source_len: c.GLint = @intCast(source.len);
c.glShaderSource(shader_id, 1, &source_ptr, &source_len);
c.glCompileShader(shader_id);
var ok: c.GLint = undefined;
c.glGetShaderiv(shader_id, c.GL_COMPILE_STATUS, &ok);
if (ok != 0) return shader_id;
var error_size: c.GLint = undefined;
c.glGetShaderiv(shader_id, c.GL_INFO_LOG_LENGTH, &error_size);
const message = c.malloc(@intCast(error_size)) orelse return error.OutOfMemory;
c.glGetShaderInfoLog(shader_id, error_size, &error_size, @ptrCast(message));
_ = c.printf("Error compiling %s shader:\n%s\n", name, message);
c.abort();
}
|
0 | repos/tetris | repos/tetris/src/tetris.zig | const std = @import("std");
const assert = std.debug.assert;
const pieces = @import("pieces.zig");
const Piece = pieces.Piece;
const c = @import("c.zig");
const lock_delay: f64 = 0.4;
const Vec3 = @import("math3d.zig").Vec3;
const Vec4 = @import("math3d.zig").Vec4;
const Mat4x4 = @import("math3d.zig").Mat4x4;
pub const Tetris = struct {
projection: Mat4x4,
piece_delay: f64,
delay_left: f64,
grid: [grid_height][grid_width]Cell,
next_piece: *const Piece,
hold_piece: ?*const Piece,
hold_was_set: bool,
cur_piece: *const Piece,
cur_piece_x: i32,
cur_piece_y: i32,
cur_piece_rot: usize,
score: c_int,
game_over: bool,
next_particle_index: usize,
next_falling_block_index: usize,
ghost_y: i32,
framebuffer_width: c_int,
framebuffer_height: c_int,
screen_shake_timeout: f64,
screen_shake_elapsed: f64,
level: i32,
time_till_next_level: f64,
piece_pool: [pieces.pieces.len]i32,
is_paused: bool,
down_key_held: bool,
down_move_time: f64,
left_key_held: bool,
left_move_time: f64,
right_key_held: bool,
right_move_time: f64,
lock_until: f64 = -1,
particles: [max_particle_count]?Particle,
falling_blocks: [max_falling_block_count]?Particle,
fn fillRect(t: *Tetris, comptime g: type, color: Vec4, x: f32, y: f32, w: f32, h: f32) void {
const model = Mat4x4.identity.translate(x, y, 0.0).scale(w, h, 0.0);
const mvp = t.projection.mult(model);
g.fillRectMvp(color, mvp);
}
fn drawFallingBlock(t: *Tetris, comptime g: type, p: Particle) void {
const model = Mat4x4.identity.translateByVec(p.pos).rotate(p.angle, p.axis).scale(p.scale_w, p.scale_h, 0.0);
const mvp = t.projection.mult(model);
g.fillRectMvp(p.color, mvp);
}
fn drawCenteredText(t: *Tetris, comptime g: type, text: []const u8) void {
const label_width = font_char_width * @as(i32, @intCast(text.len));
const draw_left = board_left + board_width / 2 - @divExact(label_width, 2);
const draw_top = board_top + board_height / 2 - font_char_height / 2;
g.drawText(t, text, draw_left, draw_top, 1.0);
}
pub fn draw(t: *Tetris, comptime g: type) void {
fillRect(t, g, board_color, board_left, board_top, board_width, board_height);
fillRect(t, g, board_color, next_piece_left, next_piece_top, next_piece_width, next_piece_height);
fillRect(t, g, board_color, score_left, score_top, score_width, score_height);
fillRect(t, g, board_color, level_display_left, level_display_top, level_display_width, level_display_height);
fillRect(t, g, board_color, hold_piece_left, hold_piece_top, hold_piece_width, hold_piece_height);
if (t.game_over) {
drawCenteredText(t, g, "GAME OVER");
} else if (t.is_paused) {
drawCenteredText(t, g, "PAUSED");
} else {
const abs_x = board_left + t.cur_piece_x * cell_size;
const abs_y = board_top + t.cur_piece_y * cell_size;
drawPiece(t, g, t.cur_piece.*, abs_x, abs_y, t.cur_piece_rot);
const ghost_color = Vec4.init(t.cur_piece.color.data[0], t.cur_piece.color.data[1], t.cur_piece.color.data[2], 0.2);
drawPieceWithColor(t, g, t.cur_piece.*, abs_x, t.ghost_y, t.cur_piece_rot, ghost_color);
drawPiece(t, g, t.next_piece.*, next_piece_left + margin_size, next_piece_top + margin_size, 0);
if (t.hold_piece) |piece| {
if (!t.hold_was_set) {
drawPiece(t, g, piece.*, hold_piece_left + margin_size, hold_piece_top + margin_size, 0);
} else {
const grey = Vec4.init(0.65, 0.65, 0.65, 1.0);
drawPieceWithColor(t, g, piece.*, hold_piece_left + margin_size, hold_piece_top + margin_size, 0, grey);
}
}
for (t.grid, 0..) |row, y| {
for (row, 0..) |cell, x| {
switch (cell) {
Cell.Color => |color| {
const cell_left = board_left + @as(i32, @intCast(x)) * cell_size;
const cell_top = board_top + @as(i32, @intCast(y)) * cell_size;
fillRect(
t,
g,
color,
@floatFromInt(cell_left),
@floatFromInt(cell_top),
cell_size,
cell_size,
);
},
else => {},
}
}
}
}
{
const score_text = "SCORE:";
const score_label_width = font_char_width * @as(i32, @intCast(score_text.len));
g.drawText(
t,
score_text,
score_left + score_width / 2 - score_label_width / 2,
score_top + margin_size,
1.0,
);
}
{
var score_text_buf: [20]u8 = undefined;
const len: usize = @intCast(c.sprintf(&score_text_buf, "%d", t.score));
const score_text = score_text_buf[0..len];
const score_label_width = font_char_width * @as(i32, @intCast(score_text.len));
g.drawText(t, score_text, score_left + score_width / 2 - @divExact(score_label_width, 2), score_top + score_height / 2, 1.0);
}
{
const text = "LEVEL:";
const text_width = font_char_width * @as(i32, @intCast(text.len));
g.drawText(t, text, level_display_left + level_display_width / 2 - text_width / 2, level_display_top + margin_size, 1.0);
}
{
var text_buf: [20]u8 = undefined;
const len: usize = @intCast(c.sprintf(&text_buf, "%d", t.level));
const text = text_buf[0..len];
const text_width = font_char_width * @as(i32, @intCast(text.len));
g.drawText(t, text, level_display_left + level_display_width / 2 - @divExact(text_width, 2), level_display_top + level_display_height / 2, 1.0);
}
{
const text = "HOLD:";
const text_width = font_char_width * @as(i32, @intCast(text.len));
g.drawText(t, text, hold_piece_left + hold_piece_width / 2 - text_width / 2, hold_piece_top + margin_size, 1.0);
}
for (t.falling_blocks) |maybe_particle| {
if (maybe_particle) |particle| {
drawFallingBlock(t, g, particle);
}
}
for (t.particles) |maybe_particle| {
if (maybe_particle) |particle| {
g.drawParticle(t, particle);
}
}
}
fn drawPiece(t: *Tetris, comptime g: type, piece: Piece, left: i32, top: i32, rot: usize) void {
drawPieceWithColor(t, g, piece, left, top, rot, piece.color);
}
fn drawPieceWithColor(t: *Tetris, comptime g: type, piece: Piece, left: i32, top: i32, rot: usize, color: Vec4) void {
for (piece.layout[rot], 0..) |row, y| {
for (row, 0..) |is_filled, x| {
if (!is_filled) continue;
const abs_x: f32 = @floatFromInt(left + @as(i32, @intCast(x)) * cell_size);
const abs_y: f32 = @floatFromInt(top + @as(i32, @intCast(y)) * cell_size);
fillRect(t, g, color, abs_x, abs_y, cell_size, cell_size);
}
}
}
pub fn nextFrame(t: *Tetris, elapsed: f64) void {
if (t.is_paused) return;
updateKineticMotion(t, elapsed, t.falling_blocks[0..]);
updateKineticMotion(t, elapsed, t.particles[0..]);
if (!t.game_over) {
t.delay_left -= elapsed;
if (t.delay_left <= 0) {
_ = curPieceFall(t);
t.delay_left = t.piece_delay;
}
t.time_till_next_level -= elapsed;
if (t.time_till_next_level <= 0.0) {
levelUp(t);
}
computeGhost(t);
}
if (t.screen_shake_elapsed < t.screen_shake_timeout) {
t.screen_shake_elapsed += elapsed;
if (t.screen_shake_elapsed >= t.screen_shake_timeout) {
resetProjection(t);
} else {
const rate = 8; // oscillations per sec
const amplitude = 4; // pixels
const offset: f32 = @floatCast(amplitude * -c.sin(2.0 * PI * t.screen_shake_elapsed * rate));
t.projection = Mat4x4.ortho(
0.0,
@floatFromInt(t.framebuffer_width),
@as(f32, @floatFromInt(t.framebuffer_height)) + offset,
offset,
);
}
}
}
fn updateKineticMotion(t: *Tetris, elapsed: f64, some_particles: []?Particle) void {
for (some_particles) |*maybe_p| {
if (maybe_p.*) |*p| {
p.pos.data[1] += @as(f32, @floatCast(elapsed)) * p.vel.data[1];
p.vel.data[1] += @as(f32, @floatCast(elapsed)) * gravity;
p.angle += p.angle_vel;
if (p.pos.data[1] > @as(f32, @floatFromInt(t.framebuffer_height))) {
maybe_p.* = null;
}
}
}
}
fn levelUp(t: *Tetris) void {
t.level += 1;
t.time_till_next_level = time_per_level;
const new_piece_delay = t.piece_delay - level_delay_increment;
t.piece_delay = if (new_piece_delay >= min_piece_delay) new_piece_delay else min_piece_delay;
activateScreenShake(t, 0.08);
const max_lines_to_fill = 4;
const proposed_lines_to_fill = @divTrunc(t.level + 2, 3);
const lines_to_fill = if (proposed_lines_to_fill > max_lines_to_fill)
max_lines_to_fill
else
proposed_lines_to_fill;
{
var i: i32 = 0;
while (i < lines_to_fill) : (i += 1) {
insertGarbageRowAtBottom(t);
}
}
}
fn insertGarbageRowAtBottom(t: *Tetris) void {
// move everything up to make room at the bottom
{
var y: usize = 1;
while (y < t.grid.len) : (y += 1) {
t.grid[y - 1] = t.grid[y];
}
}
// populate bottom row with garbage and make sure it fills at least
// one and leaves at least one empty
while (true) {
var all_empty = true;
var all_filled = true;
const bottom_y = grid_height - 1;
for (t.grid[bottom_y], 0..) |_, x| {
const filled = randBoolean();
if (filled) {
const index = randIntRangeLessThan(usize, 0, pieces.pieces.len);
t.grid[bottom_y][x] = Cell{ .Color = pieces.pieces[index].color };
all_empty = false;
} else {
t.grid[bottom_y][x] = Cell{ .Empty = {} };
all_filled = false;
}
}
if (!all_empty and !all_filled) break;
}
if (pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, t.cur_piece_rot)) {
t.cur_piece_y -= 1;
}
}
fn computeGhost(t: *Tetris) void {
var off_y: i32 = 1;
while (!pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x, t.cur_piece_y + off_y, t.cur_piece_rot)) {
off_y += 1;
}
t.ghost_y = board_top + cell_size * (t.cur_piece_y + off_y - 1);
}
pub fn userCurPieceFall(t: *Tetris) void {
if (t.game_over or t.is_paused) return;
_ = curPieceFall(t);
}
fn curPieceFall(t: *Tetris) bool {
// if it would hit something, make it stop instead
if (pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x, t.cur_piece_y + 1, t.cur_piece_rot)) {
if (t.lock_until < 0) {
t.lock_until = c.glfwGetTime() + lock_delay;
return false;
} else if (c.glfwGetTime() < t.lock_until) {
return false;
} else {
lockPiece(t);
dropNextPiece(t);
return true;
}
} else {
t.cur_piece_y += 1;
t.lock_until = -1;
return false;
}
}
pub fn userDropCurPiece(t: *Tetris) void {
if (t.game_over or t.is_paused) return;
t.lock_until = 0;
while (!curPieceFall(t)) {
t.score += 1;
t.lock_until = 0;
}
}
pub fn userMoveCurPiece(t: *Tetris, dir: i8) void {
if (t.game_over or t.is_paused) return;
if (pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x + dir, t.cur_piece_y, t.cur_piece_rot)) {
return;
}
t.cur_piece_x += dir;
}
pub fn doBiosKeys(t: *Tetris, now_time: f64) void {
const next_move_delay: f64 = 0.025;
while (t.down_key_held and t.down_move_time <= now_time) {
userCurPieceFall(t);
t.down_move_time += next_move_delay;
}
while (t.left_key_held and t.left_move_time <= now_time) {
userMoveCurPiece(t, -1);
t.left_move_time += next_move_delay;
}
while (t.right_key_held and t.right_move_time <= now_time) {
userMoveCurPiece(t, 1);
t.right_move_time += next_move_delay;
}
}
pub fn userRotateCurPiece(t: *Tetris, rot: i8) void {
if (t.game_over or t.is_paused) return;
const new_rot: usize = @intCast(@rem(@as(isize, @intCast(t.cur_piece_rot)) + rot + 4, 4));
const old_x = t.cur_piece_x;
if (pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, new_rot)) {
switch (pieceWouldCollideWithWalls(t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, new_rot)) {
.left => {
t.cur_piece_x += 1;
while (pieceWouldCollideWithWalls(t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, new_rot) == Wall.left) t.cur_piece_x += 1;
},
.right => {
t.cur_piece_x -= 1;
while (pieceWouldCollideWithWalls(t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, new_rot) == Wall.right) t.cur_piece_x -= 1;
},
else => {},
}
}
if (pieceWouldCollide(t, t.cur_piece.*, t.cur_piece_x, t.cur_piece_y, new_rot)) {
t.cur_piece_x = old_x;
return;
}
t.cur_piece_rot = new_rot;
}
pub fn userTogglePause(t: *Tetris) void {
if (t.game_over) return;
t.is_paused = !t.is_paused;
}
pub fn restartGame(t: *Tetris) void {
t.piece_delay = init_piece_delay;
t.delay_left = init_piece_delay;
t.score = 0;
t.game_over = false;
t.screen_shake_elapsed = 0.0;
t.screen_shake_timeout = 0.0;
t.level = 1;
t.time_till_next_level = time_per_level;
t.is_paused = false;
t.hold_was_set = false;
t.hold_piece = null;
t.piece_pool = [_]i32{1} ** pieces.pieces.len;
clearParticles(t);
t.grid = empty_grid;
populateNextPiece(t);
dropNextPiece(t);
}
fn lockPiece(t: *Tetris) void {
t.score += 1;
for (t.cur_piece.layout[t.cur_piece_rot], 0..) |row, y| {
for (row, 0..) |is_filled, x| {
if (!is_filled) {
continue;
}
const abs_x = t.cur_piece_x + @as(i32, @intCast(x));
const abs_y = t.cur_piece_y + @as(i32, @intCast(y));
if (abs_x >= 0 and abs_y >= 0 and abs_x < grid_width and abs_y < grid_height) {
t.grid[@intCast(abs_y)][@intCast(abs_x)] = Cell{ .Color = t.cur_piece.color };
}
}
}
// find lines once and spawn explosions
for (t.grid, 0..) |row, y| {
_ = row;
var all_filled = true;
for (t.grid[y]) |cell| {
const filled = switch (cell) {
Cell.Empty => false,
else => true,
};
if (!filled) {
all_filled = false;
break;
}
}
if (all_filled) {
for (t.grid[y], 0..) |cell, x| {
const color = switch (cell) {
Cell.Empty => continue,
Cell.Color => |col| col,
};
const center_x = @as(f32, @floatFromInt(board_left + x * cell_size)) +
@as(f32, @floatFromInt(cell_size)) / 2.0;
const center_y = @as(f32, @floatFromInt(board_top + y * cell_size)) +
@as(f32, @floatFromInt(cell_size)) / 2.0;
addExplosion(t, color, center_x, center_y);
}
}
}
// test for line
var rows_deleted: usize = 0;
var y: i32 = grid_height - 1;
while (y >= 0) {
var all_filled: bool = true;
for (t.grid[@intCast(y)]) |cell| {
const filled = switch (cell) {
Cell.Empty => false,
else => true,
};
if (!filled) {
all_filled = false;
break;
}
}
if (all_filled) {
rows_deleted += 1;
deleteRow(t, @intCast(y));
} else {
y -= 1;
}
}
const score_per_rows_deleted = [_]c_int{ 0, 10, 30, 50, 70 };
t.score += score_per_rows_deleted[rows_deleted];
if (rows_deleted > 0) {
activateScreenShake(t, 0.04);
}
}
pub fn resetProjection(t: *Tetris) void {
t.projection = Mat4x4.ortho(
0.0,
@floatFromInt(t.framebuffer_width),
@floatFromInt(t.framebuffer_height),
0.0,
);
}
fn activateScreenShake(t: *Tetris, duration: f64) void {
t.screen_shake_elapsed = 0.0;
t.screen_shake_timeout = duration;
}
fn deleteRow(t: *Tetris, del_index: usize) void {
var y: usize = del_index;
while (y >= 1) {
t.grid[y] = t.grid[y - 1];
y -= 1;
}
t.grid[y] = empty_row;
}
fn cellEmpty(t: *Tetris, x: i32, y: i32) bool {
return switch (t.grid[@intCast(y)][@intCast(x)]) {
Cell.Empty => true,
else => false,
};
}
fn pieceWouldCollide(t: *Tetris, piece: Piece, grid_x: i32, grid_y: i32, rot: usize) bool {
for (piece.layout[rot], 0..) |row, y| {
for (row, 0..) |is_filled, x| {
if (!is_filled) {
continue;
}
const abs_x = grid_x + @as(i32, @intCast(x));
const abs_y = grid_y + @as(i32, @intCast(y));
if (abs_x >= 0 and abs_y >= 0 and abs_x < grid_width and abs_y < grid_height) {
if (!cellEmpty(t, abs_x, abs_y)) {
return true;
}
} else if (abs_y >= 0) {
return true;
}
}
}
return false;
}
fn populateNextPiece(t: *Tetris) void {
// Let's turn Gambler's Fallacy into Gambler's Accurate Model of Reality.
var upper_bound: i32 = 0;
for (t.piece_pool) |count| {
if (count == 0) unreachable;
upper_bound += count;
}
const rand_val = randIntRangeLessThan(i32, 0, upper_bound);
var this_piece_upper_bound: i32 = 0;
var any_zero = false;
for (t.piece_pool, 0..) |count, piece_index| {
this_piece_upper_bound += count;
if (rand_val < this_piece_upper_bound) {
t.next_piece = &pieces.pieces[piece_index];
t.piece_pool[piece_index] -= 1;
if (count <= 1) {
any_zero = true;
}
break;
}
}
// if any of the pieces are 0, add 1 to all of them
if (any_zero) {
for (t.piece_pool, 0..) |_, i| {
t.piece_pool[i] += 1;
}
}
}
const Wall = enum {
left,
right,
top,
bottom,
none,
};
fn pieceWouldCollideWithWalls(piece: Piece, grid_x: i32, grid_y: i32, rot: usize) Wall {
for (piece.layout[rot], 0..) |row, y| {
for (row, 0..) |is_filled, x| {
if (!is_filled) {
continue;
}
const abs_x = grid_x + @as(i32, @intCast(x));
const abs_y = grid_y + @as(i32, @intCast(y));
if (abs_x < 0) {
return Wall.left;
} else if (abs_x >= grid_width) {
return Wall.right;
} else if (abs_y < 0) {
return Wall.top;
} else if (abs_y >= grid_height) {
return Wall.top;
}
}
}
return Wall.none;
}
fn doGameOver(t: *Tetris) void {
t.game_over = true;
// turn every piece into a falling object
for (t.grid, 0..) |row, y| {
for (row, 0..) |cell, x| {
const color = switch (cell) {
Cell.Empty => continue,
Cell.Color => |col| col,
};
const left: f32 = @floatFromInt(board_left + x * cell_size);
const top: f32 = @floatFromInt(board_top + y * cell_size);
t.falling_blocks[getNextFallingBlockIndex(t)] = createBlockParticle(t, color, Vec3.init(left, top, 0.0));
}
}
}
pub fn userSetHoldPiece(t: *Tetris) void {
if (t.game_over or t.is_paused or t.hold_was_set) return;
var next_cur: *const Piece = undefined;
if (t.hold_piece) |hold_piece| {
next_cur = hold_piece;
} else {
next_cur = t.next_piece;
populateNextPiece(t);
}
t.hold_piece = t.cur_piece;
t.hold_was_set = true;
dropNewPiece(t, next_cur);
}
fn dropNewPiece(t: *Tetris, p: *const Piece) void {
const start_x = 4;
const start_y = -1;
const start_rot = 0;
t.lock_until = -1;
if (pieceWouldCollide(t, p.*, start_x, start_y, start_rot)) {
doGameOver(t);
return;
}
t.delay_left = t.piece_delay;
t.cur_piece = p;
t.cur_piece_x = start_x;
t.cur_piece_y = start_y;
t.cur_piece_rot = start_rot;
}
fn dropNextPiece(t: *Tetris) void {
t.hold_was_set = false;
dropNewPiece(t, t.next_piece);
populateNextPiece(t);
}
fn clearParticles(t: *Tetris) void {
for (&t.particles) |*p| {
p.* = null;
}
t.next_particle_index = 0;
for (&t.falling_blocks) |*fb| {
fb.* = null;
}
t.next_falling_block_index = 0;
}
fn getNextParticleIndex(t: *Tetris) usize {
const result = t.next_particle_index;
t.next_particle_index = (t.next_particle_index + 1) % max_particle_count;
return result;
}
fn getNextFallingBlockIndex(t: *Tetris) usize {
const result = t.next_falling_block_index;
t.next_falling_block_index = (t.next_falling_block_index + 1) % max_falling_block_count;
return result;
}
fn addExplosion(t: *Tetris, color: Vec4, center_x: f32, center_y: f32) void {
const particle_count = 12;
const particle_size = @as(f32, cell_size) / 3.0;
{
var i: i32 = 0;
while (i < particle_count) : (i += 1) {
const off_x = randFloat(f32) * @as(f32, cell_size) / 2.0;
const off_y = randFloat(f32) * @as(f32, cell_size) / 2.0;
const pos = Vec3.init(center_x + off_x, center_y + off_y, 0.0);
t.particles[getNextParticleIndex(t)] = createParticle(t, color, particle_size, pos);
}
}
}
fn createParticle(t: *Tetris, color: Vec4, size: f32, pos: Vec3) Particle {
_ = t;
var p: Particle = undefined;
p.angle_vel = randFloat(f32) * 0.1 - 0.05;
p.angle = randFloat(f32) * 2.0 * PI;
p.axis = Vec3.init(0.0, 0.0, 1.0);
p.scale_w = size * (0.8 + randFloat(f32) * 0.4);
p.scale_h = size * (0.8 + randFloat(f32) * 0.4);
p.color = color;
p.pos = pos;
const vel_x = randFloat(f32) * 2.0 - 1.0;
const vel_y = -(2.0 + randFloat(f32) * 1.0);
p.vel = Vec3.init(vel_x, vel_y, 0.0);
return p;
}
fn createBlockParticle(t: *Tetris, color: Vec4, pos: Vec3) Particle {
_ = t;
var p: Particle = undefined;
p.angle_vel = randFloat(f32) * 0.05 - 0.025;
p.angle = 0;
p.axis = Vec3.init(0.0, 0.0, 1.0);
p.scale_w = cell_size;
p.scale_h = cell_size;
p.color = color;
p.pos = pos;
const vel_x = randFloat(f32) * 0.5 - 0.25;
const vel_y = -randFloat(f32) * 0.5;
p.vel = Vec3.init(vel_x, vel_y, 0.0);
return p;
}
const Cell = union(enum) {
Empty,
Color: Vec4,
};
pub const Particle = struct {
color: Vec4,
pos: Vec3,
vel: Vec3,
axis: Vec3,
scale_w: f32,
scale_h: f32,
angle: f32,
angle_vel: f32,
};
const PI = 3.14159265358979;
const max_particle_count = 500;
const max_falling_block_count = grid_width * grid_height;
const margin_size = 10;
const grid_width = 10;
const grid_height = 20;
pub const cell_size = 32;
const board_width = grid_width * cell_size;
const board_height = grid_height * cell_size;
const board_left = margin_size;
const board_top = margin_size;
const next_piece_width = margin_size + 4 * cell_size + margin_size;
const next_piece_height = next_piece_width;
const next_piece_left = board_left + board_width + margin_size;
const next_piece_top = board_top + board_height - next_piece_height;
const score_width = next_piece_width;
const score_height = next_piece_height;
const score_left = next_piece_left;
const score_top = next_piece_top - margin_size - score_height;
const level_display_width = next_piece_width;
const level_display_height = next_piece_height;
const level_display_left = next_piece_left;
const level_display_top = score_top - margin_size - level_display_height;
const hold_piece_width = next_piece_width;
const hold_piece_height = next_piece_height;
const hold_piece_left = next_piece_left;
const hold_piece_top = level_display_top - margin_size - hold_piece_height;
pub const window_width = next_piece_left + next_piece_width + margin_size;
pub const window_height = board_top + board_height + margin_size;
const board_color = Vec4{ .data = [_]f32{ 72.0 / 255.0, 72.0 / 255.0, 72.0 / 255.0, 1.0 } };
const init_piece_delay = 0.5;
const min_piece_delay = 0.05;
const level_delay_increment = 0.05;
pub const font_char_width = 18;
pub const font_char_height = 32;
const gravity = 1000.0;
const time_per_level = 60.0;
const empty_row = [_]Cell{Cell{ .Empty = {} }} ** grid_width;
const empty_grid = [_][grid_width]Cell{empty_row} ** grid_height;
};
fn randBoolean() bool {
return c.rand() < c.RAND_MAX / 2;
}
fn randIntRangeLessThan(comptime T: type, at_least: T, less_than: T) T {
return @truncate(at_least + @mod(@as(T, @intCast(c.rand())), (less_than - at_least)));
}
fn randFloat(comptime T: type) T {
const s = randInt(u32);
const repr = (0x7f << 23) | (s >> 9);
return @as(f32, @bitCast(repr)) - 1.0;
}
fn randInt(comptime T: type) T {
var rand_bytes: [@sizeOf(T)]u8 = undefined;
for (&rand_bytes) |*byte| {
byte.* = @truncate(@as(c_uint, @bitCast(c.rand())));
}
return @bitCast(rand_bytes);
}
|
0 | repos/tetris | repos/tetris/src/spritesheet.zig | const std = @import("std");
const c = @import("c.zig");
const AllShaders = @import("all_shaders.zig").AllShaders;
const Mat4x4 = @import("math3d.zig").Mat4x4;
const Bmp = @import("Bmp.zig");
pub const Spritesheet = struct {
bmp: Bmp,
count: usize,
texture_id: c.GLuint,
vertex_buffer: c.GLuint,
tex_coord_buffers: []c.GLuint,
pub fn draw(s: *Spritesheet, as: AllShaders, index: usize, mvp: Mat4x4) void {
as.texture.bind();
as.texture.setUniformMat4x4(as.texture_uniform_mvp, mvp);
as.texture.setUniformInt(as.texture_uniform_tex, 0);
c.glBindBuffer(c.GL_ARRAY_BUFFER, s.vertex_buffer);
c.glEnableVertexAttribArray(@intCast(as.texture_attrib_position));
c.glVertexAttribPointer(@intCast(as.texture_attrib_position), 3, c.GL_FLOAT, c.GL_FALSE, 0, null);
c.glBindBuffer(c.GL_ARRAY_BUFFER, s.tex_coord_buffers[index]);
c.glEnableVertexAttribArray(@intCast(as.texture_attrib_tex_coord));
c.glVertexAttribPointer(@intCast(as.texture_attrib_tex_coord), 2, c.GL_FLOAT, c.GL_FALSE, 0, null);
c.glActiveTexture(c.GL_TEXTURE0);
c.glBindTexture(c.GL_TEXTURE_2D, s.texture_id);
c.glDrawArrays(c.GL_TRIANGLE_STRIP, 0, 4);
}
pub fn init(s: *Spritesheet, bmp_bytes: []const u8, w: usize, h: usize) !void {
s.bmp = Bmp.create(bmp_bytes);
const col_count = s.bmp.width / w;
const row_count = s.bmp.height / h;
s.count = col_count * row_count;
c.glGenTextures(1, &s.texture_id);
errdefer c.glDeleteTextures(1, &s.texture_id);
c.glBindTexture(c.GL_TEXTURE_2D, s.texture_id);
c.glTexParameteri(c.GL_TEXTURE_2D, c.GL_TEXTURE_MAG_FILTER, c.GL_NEAREST);
c.glTexParameteri(c.GL_TEXTURE_2D, c.GL_TEXTURE_MIN_FILTER, c.GL_NEAREST);
c.glTexParameteri(c.GL_TEXTURE_2D, c.GL_TEXTURE_WRAP_S, c.GL_CLAMP_TO_EDGE);
c.glTexParameteri(c.GL_TEXTURE_2D, c.GL_TEXTURE_WRAP_T, c.GL_CLAMP_TO_EDGE);
c.glPixelStorei(c.GL_PACK_ALIGNMENT, 4);
c.glTexImage2D(
c.GL_TEXTURE_2D,
0,
c.GL_RGBA,
@intCast(s.bmp.width),
@intCast(s.bmp.height),
0,
c.GL_RGBA,
c.GL_UNSIGNED_BYTE,
&s.bmp.raw[0],
);
c.glGenBuffers(1, &s.vertex_buffer);
errdefer c.glDeleteBuffers(1, &s.vertex_buffer);
const vertexes = [_][3]c.GLfloat{
[_]c.GLfloat{ 0.0, 0.0, 0.0 },
[_]c.GLfloat{ 0.0, @floatFromInt(h), 0.0 },
[_]c.GLfloat{ @floatFromInt(w), 0.0, 0.0 },
[_]c.GLfloat{ @floatFromInt(w), @floatFromInt(h), 0.0 },
};
c.glBindBuffer(c.GL_ARRAY_BUFFER, s.vertex_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 4 * 3 * @sizeOf(c.GLfloat), &vertexes, c.GL_STATIC_DRAW);
s.tex_coord_buffers = try alloc(c.GLuint, s.count);
//s.tex_coord_buffers = try c_allocator.alloc(c.GLuint, s.count);
//errdefer c_allocator.free(s.tex_coord_buffers);
c.glGenBuffers(@intCast(s.tex_coord_buffers.len), s.tex_coord_buffers.ptr);
errdefer c.glDeleteBuffers(@intCast(s.tex_coord_buffers.len), &s.tex_coord_buffers[0]);
for (s.tex_coord_buffers, 0..) |tex_coord_buffer, i| {
const upside_down_row = i / col_count;
const col = i % col_count;
const row = row_count - upside_down_row - 1;
const x: f32 = @floatFromInt(col * w);
const y: f32 = @floatFromInt(row * h);
const img_w: f32 = @floatFromInt(s.bmp.width);
const img_h: f32 = @floatFromInt(s.bmp.height);
const tex_coords = [_][2]c.GLfloat{
[_]c.GLfloat{
x / img_w,
(y + @as(f32, @floatFromInt(h))) / img_h,
},
[_]c.GLfloat{
x / img_w,
y / img_h,
},
[_]c.GLfloat{
(x + @as(f32, @floatFromInt(w))) / img_w,
(y + @as(f32, @floatFromInt(h))) / img_h,
},
[_]c.GLfloat{
(x + @as(f32, @floatFromInt(w))) / img_w,
y / img_h,
},
};
c.glBindBuffer(c.GL_ARRAY_BUFFER, tex_coord_buffer);
c.glBufferData(c.GL_ARRAY_BUFFER, 4 * 2 * @sizeOf(c.GLfloat), &tex_coords, c.GL_STATIC_DRAW);
}
}
pub fn deinit(s: *Spritesheet) void {
c.glDeleteBuffers(@intCast(s.tex_coord_buffers.len), s.tex_coord_buffers.ptr);
//c_allocator.free(s.tex_coord_buffers);
c.glDeleteBuffers(1, &s.vertex_buffer);
c.glDeleteTextures(1, &s.texture_id);
}
};
fn alloc(comptime T: type, n: usize) ![]T {
const ptr = c.malloc(@sizeOf(T) * n) orelse return error.OutOfMemory;
return @as([*]T, @ptrCast(@alignCast(ptr)))[0..n];
}
|
0 | repos/tetris | repos/tetris/src/debug_gl.zig | const c = @import("c.zig");
const std = @import("std");
const os = std.os;
const builtin = @import("builtin");
pub const is_on = if (builtin.mode == .ReleaseFast) c.GL_FALSE else c.GL_TRUE;
pub fn assertNoError() void {
if (builtin.mode != .ReleaseFast) {
const err = c.glGetError();
if (err != c.GL_NO_ERROR) {
_ = c.printf("GL error: %d\n", err);
c.abort();
}
}
}
|
0 | repos | repos/minimd-zig/README.md | ### simple-markdown-parse
---
### Markdown Grammar
- headline
```
# heading1 => <h1></h1>
## heading2 => <h2></h2>
### heading3 => <h3></h3>
#### heading4 => <h4></h4>
##### heading5 => <h5></h5>
###### heading6 => <h6></h6>
```
- paragraph
```
hello world
<p>hello world</p>
```
- strong
```
**test** => <strong>test</strong>
*test* => <em>test</em>
***test*** => <strong><em>test</em></strong>
__hello__ => <strong>test</strong>
```
- blockquote
```
> hello => <blockquote>hello</blockquote>
> hello
>
>> world
=> <blockquote>hello<blockquote>world</blockquote></blockquote>
```
- separation line
```
--- => <hr>
```
- link
```
[link](https://github.com/) => <a href="https://github.com/">link</a>
<https://github.com> => <a href="https://github.com/">https://github.com</a>
```
- image
```

=> <img src="/assets/img/philly-magic-garden.jpg" alt="img">
[](https://github.com/Chanyon)
=> <a href="https://github.com/Chanyon"><img src="/assets/img/ship.jpg" alt="image"></a>"
```
- delete line
```
~~test~~ => <p><s>test</s></p>
hello~~test~~world => <p>hello<s>test</s>world</p>
```
- code
```
`test` => <code>test</code>
`` `test` `` => <code> `test` </code>
=```
{
"width": "100px",
"height": "100px",
"fontSize": "16px",
"color": "#ccc",
}
=```
=> <pre><code><br>{<br> "width": "100px",<br> "height": "100px",<br> "fontSize": "16px",<br> "color": "#ccc",<br>}<br></code></pre>
```
- footnote
```
test[^1]
[^1]: ooooo
=> <p>test<a id="src-1" href="#target-1">[1]</a></p>
<section>
<p><a id="target-1" href="#src-1">[^1]</a>: ooo</p>
</section>
```
- task list
```
- [ ] task one
- [x] task two
```
- table
```
| Syntax | Description | Test |
| :---------- | ----------: | :-----: |
| Header | Title | will |
| Paragraph | Text | why |
```
- unordered list
```
- test
- test2
- test3
- test4
- test5
- test6
```
- ordered list
```
1. test
1. test2
1. test3
2. test4
2. test5
3. test6
```
- escape characters
```
\[\]
\<test\>
\*test\* \! \# \~ \-
\_ test \_ \(\)
```
### DONE
- [x] 无序列表
- [x] 有序列表
- [x] 表格语法
- [x] 内嵌HTML
- [x] 脚注(footnote)
- [x] task list
- [x] 转义字符
- [x] html tag inline style
- [X] 代码块高亮 \```c ```
- [x] 标题目录 |
0 | repos | repos/minimd-zig/build.zig.zon | .{
.name = "minimdzig",
.version = "0.1.0",
.dependencies = .{
//
.uuid = .{
.url = "https://github.com/Chanyon/zig-uuid/archive/c2ab7370004843db38094c708e82d191b2912399.tar.gz",
.hash = "1220489b65502b948fe79024279030958dda2a6c2af218a6399fb2650d412585f14a",
},
.string = .{
.url = "https://github.com/JakubSzark/zig-string/archive/9ce0b13e6b0008796907bf9713eb0c1aac2b1ad7.tar.gz",
.hash = "12208fa7e4afc8a9c2b267f034d4d7b69952ac5bf39e48449e0a54dcbaae2309f54e",
},
},
.paths = .{""},
}
|
0 | repos | repos/minimd-zig/build.zig | const std = @import("std");
pub fn build(b: *std.Build) !void {
// Standard release options allow the person running `zig build` to select
// between Debug, ReleaseSafe, ReleaseFast, and ReleaseSmall.
const target = b.standardTargetOptions(.{});
const optimize = b.standardOptimizeOption(.{});
const uuid_module = b.dependency("uuid", .{}).module("uuid");
const zig_string = b.dependency("string", .{}).module("string");
const module = b.createModule(.{
.root_source_file = b.path("src/lib.zig"),
.imports = &.{
//
.{ .name = "uuid", .module = uuid_module },
.{ .name = "string", .module = zig_string },
},
});
try b.modules.put(b.dupe("minimd"), module);
const lib = b.addSharedLibrary(.{
.name = "minimd",
.root_source_file = b.path("src/lib.zig"),
.target = target,
.optimize = optimize,
});
lib.root_module.addImport("string", zig_string);
lib.root_module.addImport("uuid", uuid_module);
// zig build test_iter
const iter_test = b.addTest(.{
.root_source_file = b.path("src/iter.zig"),
.target = target,
.optimize = optimize,
});
const run_uint_test = b.addRunArtifact(iter_test);
const iter_step = b.step("test_iter", "test iterate");
iter_step.dependOn(&run_uint_test.step);
// zig build test_lex
const lexer_test = b.addTest(.{
.root_source_file = b.path("src/lexer.zig"),
.target = target,
.optimize = optimize,
});
const run_uint_test2 = b.addRunArtifact(lexer_test);
const lexer_step = b.step("test_lex", "test lexer");
lexer_step.dependOn(&run_uint_test2.step);
const parser_test = b.addTest(.{
.root_source_file = b.path("src/parse.zig"),
.target = target,
.optimize = optimize,
});
parser_test.root_module.addImport("uuid", uuid_module);
const run_uint_test3 = b.addRunArtifact(parser_test);
const parser_step = b.step("test_parse", "test parser");
parser_step.dependOn(&run_uint_test3.step);
const ast_test = b.addTest(.{
.root_source_file = b.path("src/ast.zig"),
.target = target,
.optimize = optimize,
});
ast_test.root_module.addImport("string", zig_string);
const ast_unit_test = b.addRunArtifact(ast_test);
const ast_test_step = b.step("ast", "test ast");
ast_test_step.dependOn(&ast_unit_test.step);
const parse2_test = b.addTest(.{
.root_source_file = b.path("src/parse2.zig"),
.target = target,
.optimize = optimize,
});
parse2_test.root_module.addImport("string", zig_string);
parse2_test.root_module.addImport("uuid", uuid_module);
const parse2_uint_test = b.addRunArtifact(parse2_test);
const parse2_test_step = b.step("parse2", "test parse2");
parse2_test_step.dependOn(&parse2_uint_test.step);
const main_tests = b.addTest(.{
.root_source_file = b.path("src/lib.zig"),
.target = target,
.optimize = optimize,
});
main_tests.root_module.addImport("uuid", uuid_module);
const run_uint_test4 = b.addRunArtifact(main_tests);
const test_step = b.step("test", "Run library tests");
test_step.dependOn(&run_uint_test4.step);
test_step.dependOn(&run_uint_test2.step);
test_step.dependOn(&run_uint_test3.step);
const install_docs = b.addInstallDirectory(.{
.source_dir = lib.getEmittedDocs(),
.install_dir = .prefix,
.install_subdir = "docs",
});
const docs_step = b.step("docs", "gen docs");
docs_step.dependOn(&install_docs.step);
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/parse.zig | const std = @import("std");
const trimRight = std.mem.trimRight;
const Lexer = @import("lexer.zig").Lexer;
const Token = @import("token.zig").Token;
const TokenType = @import("token.zig").TokenType;
const UUID = @import("uuid").UUID;
//use test parser
const parseTest = struct { is_test: bool = false };
fn Type(comptime ty: bool) type {
if (ty) {
return u16;
} else {
return UUID;
}
}
pub const Parser = struct {
allocator: std.mem.Allocator,
lex: *Lexer,
prev_token: Token,
cur_token: Token,
peek_token: Token,
out: std.ArrayList([]const u8),
unordered_list: std.ArrayList(Unordered),
table_list: std.ArrayList(std.ArrayList(Token)),
table_context: TableContext,
footnote_list: std.ArrayList(Footnote),
is_parse_text: bool = false,
title_nav: std.ArrayList([]const u8),
const Unordered = struct {
spaces: u16,
token: Token,
list: std.ArrayList([]const u8),
};
const Align = enum { Left, Right, Center };
const TableContext = struct {
align_style: std.ArrayList(Align),
cols: u8,
cols_done: bool,
};
const Footnote = struct {
insert_text: []const u8,
detailed_text: []const u8,
};
pub fn NewParser(lex: *Lexer, al: std.mem.Allocator) Parser {
const list = std.ArrayList([]const u8).init(al);
const unordered = std.ArrayList(Unordered).init(al);
const table_list = std.ArrayList(std.ArrayList(Token)).init(al);
const align_style = std.ArrayList(Align).init(al);
const footnote_list = std.ArrayList(Footnote).init(al);
const title_nav = std.ArrayList([]const u8).init(al);
var parser = Parser{
//
.allocator = al,
.lex = lex,
.prev_token = undefined,
.cur_token = undefined,
.peek_token = undefined,
.out = list,
.unordered_list = unordered,
.table_list = table_list,
.table_context = .{ .align_style = align_style, .cols = 1, .cols_done = false },
.footnote_list = footnote_list,
.title_nav = title_nav,
};
parser.nextToken();
parser.nextToken();
parser.nextToken();
return parser;
}
pub fn deinit(self: *Parser) void {
self.out.deinit();
self.unordered_list.deinit();
self.table_list.deinit();
self.table_context.align_style.deinit();
self.footnote_list.deinit();
self.title_nav.deinit();
}
fn nextToken(self: *Parser) void {
self.prev_token = self.cur_token;
self.cur_token = self.peek_token;
self.peek_token = self.lex.nextToken();
}
pub fn parseProgram(self: *Parser) !void {
while (self.prev_token.ty != .TK_EOF) {
try self.parseStatement();
self.nextToken();
}
// footnote
try self.footnoteInsert();
}
fn parseStatement(self: *Parser) !void {
// std.debug.print("state: {any}==>{s}\n", .{ self.prev_token.ty, self.prev_token.literal });
switch (self.prev_token.ty) {
.TK_WELLNAME => try self.parseWellName(),
.TK_STR, .TK_NUM => try self.parseText(),
.TK_ASTERISKS, .TK_UNDERLINE => try self.parseStrong(),
.TK_GT => try self.parseQuote(),
.TK_MINUS => try self.parseBlankLine(),
.TK_PLUS => try self.parseOrderedOrTaskList(.TK_PLUS),
.TK_LBRACE => try self.parseLink(),
.TK_LT => try self.parseLinkWithLT(),
.TK_BANG => try self.parseImage(),
.TK_STRIKETHROUGH => try self.parseStrikethrough(),
.TK_CODE => try self.parseCode(),
.TK_CODELINE => try self.parseBackquotes(), //`` `test` `` => <code> `test` </code>
.TK_CODEBLOCK => try self.parseCodeBlock(),
.TK_VERTICAL => try self.parseTable(),
.TK_NUM_DOT => try self.parseOrderedOrTaskList(.TK_NUM_DOT),
else => {},
}
}
/// # heading -> <h1>heading</h1>
fn parseWellName(self: *Parser) !void {
var level: usize = self.prev_token.level.?;
// ##test \n
// # test \n
while (self.cur_token.ty == .TK_WELLNAME) {
// std.debug.print("{any}==>{s}\n", .{self.cur_token.ty, self.cur_token.literal});
level += 1;
self.nextToken();
}
if (level > 6) {
try self.out.append("<p>");
var i: usize = 0;
while (!self.curTokenIs(.TK_BR) and self.cur_token.ty != .TK_EOF) {
while (i <= level - 1) : (i += 1) {
try self.out.append("#");
}
try self.out.append(self.cur_token.literal);
self.nextToken();
}
try self.out.append("</p>");
return;
}
if (self.cur_token.ty != .TK_SPACE) {
try self.out.append("<p>");
var i: usize = 0;
while (!self.curTokenIs(.TK_BR) and self.cur_token.ty != .TK_EOF) {
while (i <= level - 1) : (i += 1) {
try self.out.append("#");
}
try self.out.append(self.cur_token.literal);
self.nextToken();
}
try self.out.append("</p>");
} else {
self.nextToken(); //skip space
const parse_test = parseTest{ .is_test = true };
var id: Type(parse_test.is_test) = undefined;
if (parse_test.is_test) {
var rng = std.rand.DefaultPrng.init(100);
id = rng.random().int(u16);
} else {
id = UUID.init();
}
const fmt = try std.fmt.allocPrint(self.allocator, "<h{} id=\"target-{}\">", .{ level, id });
const atage = try std.fmt.allocPrint(self.allocator, "<li><a href=\"#target-{}\">", .{id});
try self.title_nav.append(atage);
try self.out.append(fmt);
while (!self.curTokenIs(.TK_BR) and self.cur_token.ty != .TK_EOF) {
try self.out.append(self.cur_token.literal);
try self.title_nav.append(self.cur_token.literal);
self.nextToken();
}
// std.debug.print("{any}==>{s}\n", .{self.cur_token.ty, self.cur_token.literal});
const fmt2 = try std.fmt.allocPrint(self.allocator, "</h{}>", .{level});
try self.out.append(fmt2);
try self.title_nav.append("</a></li>");
}
while (self.curTokenIs(.TK_BR)) {
self.nextToken();
}
return;
}
// \\hello
// \\world
// \\
// \\# heading
//? NOT:Line Break(" "=><br> || \n=><br>)
fn parseText(self: *Parser) !void {
self.is_parse_text = true;
var is_backslash = false;
try self.out.append("<p>");
try self.out.append(self.prev_token.literal);
// self.nextToken();
// hello*test*world or hello__test__world
if (self.cur_token.ty == .TK_ASTERISKS or self.cur_token.ty == .TK_UNDERLINE) {
self.nextToken();
try self.parseStrong();
}
// hello~~test~~world
if (self.cur_token.ty == .TK_STRIKETHROUGH) {
self.nextToken();
try self.parseStrikethrough2();
}
//hello`test`world
if (self.cur_token.ty == .TK_CODE) {
self.nextToken();
try self.parseCode();
}
// [
if (self.cur_token.ty == .TK_LBRACE) {
self.nextToken();
try self.parseLink();
}
// <
if (self.curTokenIs(.TK_LT)) {
self.nextToken();
try self.parseLinkWithLT();
}
while (self.cur_token.ty != .TK_EOF) {
if (self.cur_token.ty == .TK_BACKSLASH) {
is_backslash = true;
self.nextToken();
}
if (self.curTokenIs(.TK_BR)) {
try self.out.append(self.cur_token.literal);
self.nextToken();
if (self.curTokenIs(.TK_BR) or (self.curTokenIs(.TK_SPACE) and !is_backslash)) {
break;
}
// if (self.curTokenIs(.TK_SPACE)) {
// while (self.curTokenIs(.TK_SPACE)) {
// self.nextToken();
// }
// }
}
if (self.peekOtherTokenIs(self.cur_token.ty)) {
break;
} else {
switch (self.cur_token.ty) {
.TK_ASTERISKS => {
self.nextToken();
try self.parseStrong();
},
.TK_CODE => {
self.nextToken();
try self.parseCode();
},
.TK_CODELINE => {
self.nextToken();
try self.parseBackquotes();
// std.debug.print("1 {any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
},
.TK_LBRACE => {
self.nextToken();
try self.parseLink();
},
.TK_LT => {
self.nextToken();
try self.parseLinkWithLT();
},
else => {},
}
}
try self.out.append(self.cur_token.literal);
self.nextToken();
is_backslash = false;
}
try self.out.append("</p>");
self.is_parse_text = false;
return;
}
/// **Bold**
/// *Bold*
/// ***Bold***
fn parseStrong(self: *Parser) !void {
var level: usize = self.prev_token.level.?;
if (self.prev_token.ty == .TK_ASTERISKS) {
while (self.curTokenIs(.TK_ASTERISKS)) {
level += 1;
self.nextToken();
}
if (level == 1) {
try self.out.append("<em>");
} else if (level == 2) {
try self.out.append("<strong>");
} else {
//*** => <hr/>
if (self.curTokenIs(.TK_BR) or self.curTokenIs(.TK_SPACE) and !self.peekTokenIs(.TK_STR)) {
try self.out.append("<hr>");
// self.nextToken();
return;
}
try self.out.append("<strong><em>");
}
// \\***###test
// \\### hh
// \\---
// \\test---
while (!self.curTokenIs(.TK_ASTERISKS) and !self.curTokenIs(.TK_EOF)) {
if (self.curTokenIs(.TK_BR)) {
self.nextToken();
if (self.peekOtherTokenIs(self.cur_token.ty)) {
break;
}
continue;
}
try self.out.append(self.cur_token.literal);
self.nextToken();
}
if (self.curTokenIs(.TK_ASTERISKS)) {
while (self.cur_token.ty == .TK_ASTERISKS) {
self.nextToken();
}
if (level == 1) {
try self.out.append("</em>");
} else if (level == 2) {
try self.out.append("</strong>");
} else {
try self.out.append("</em></strong>");
}
}
} else {
while (self.curTokenIs(.TK_UNDERLINE)) {
level += 1;
self.nextToken();
}
if (level == 2) {
try self.out.append("<strong>");
}
while (!self.curTokenIs(.TK_UNDERLINE) and !self.curTokenIs(.TK_EOF)) {
if (self.curTokenIs(.TK_BR)) {
self.nextToken();
if (self.peekOtherTokenIs(self.cur_token.ty)) {
break;
}
continue;
}
try self.out.append(self.cur_token.literal);
self.nextToken();
}
if (self.curTokenIs(.TK_UNDERLINE)) {
while (self.cur_token.ty == .TK_UNDERLINE) {
self.nextToken();
}
if (level == 2) {
try self.out.append("</strong>");
}
}
}
// std.debug.print("{any}==>{s}\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
// > hello
// >
// >> world!
fn parseQuote(self: *Parser) !void {
try self.out.append("<blockquote>");
while (!self.curTokenIs(.TK_BR) and !self.curTokenIs(.TK_EOF)) {
if (self.curTokenIs(.TK_GT)) {
self.nextToken();
}
switch (self.peek_token.ty) {
.TK_WELLNAME => {
self.nextToken();
self.nextToken();
try self.parseWellName();
},
.TK_ASTERISKS => {
self.nextToken();
self.nextToken();
try self.parseStrong();
},
else => {
if (self.cur_token.ty != .TK_BR) {
try self.out.append(self.cur_token.literal);
}
self.nextToken();
},
}
}
if (self.expectPeek(.TK_GT)) {
self.nextToken(); // skip >
self.nextToken(); // skip \n
}
if (self.curTokenIs(.TK_GT)) {
self.nextToken(); //skip >
self.nextToken(); //skip >
try self.parseQuote();
} else {
self.nextToken();
}
try self.out.append("</blockquote>");
return;
}
fn parseBlankLine(self: *Parser) !void {
var level: usize = self.prev_token.level.?;
while (self.curTokenIs(.TK_MINUS)) {
level += 1;
self.nextToken();
}
if (level == 1) {
try self.parseOrderedOrTaskList(.TK_MINUS);
}
if (level >= 3) {
try self.out.append("<hr>");
while (self.curTokenIs(.TK_BR)) {
self.nextToken();
}
}
return;
}
fn parseOrderedOrTaskList(self: *Parser, parse_ty: TokenType) !void {
var spaces: u8 = 1;
var orderdlist: bool = false;
var is_space: bool = false;
var is_task: bool = false;
const out_len = self.out.items.len;
if (self.curTokenIs(.TK_SPACE)) {
orderdlist = true;
self.nextToken();
// - [ ] task or - [x] task
if (self.curTokenIs(.TK_LBRACE) and (self.peekTokenIs(.TK_SPACE) or std.mem.eql(u8, self.peek_token.literal, "x"))) {
is_task = true;
self.nextToken();
if (self.curTokenIs(.TK_SPACE)) is_space = true else is_space = false;
self.nextToken();
self.nextToken(); //skip token `]`
try self.out.append("<div>");
while (!self.curTokenIs(.TK_EOF)) {
// skip space
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
if (self.curTokenIs(.TK_BR)) {
self.nextToken();
if (!self.curTokenIs(.TK_MINUS)) {
break;
} else {
self.nextToken();
}
if (self.curTokenIs(.TK_SPACE) and self.peekTokenIs(.TK_LBRACE)) {
self.nextToken();
self.nextToken();
if (self.curTokenIs(.TK_SPACE) or std.mem.eql(u8, self.cur_token.literal, "x") and self.peekTokenIs(.TK_RBRACE)) {
if (self.curTokenIs(.TK_SPACE)) is_space = true else is_space = false;
self.nextToken();
self.nextToken();
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
}
}
if (is_space) {
try self.out.append("<input type=\"checkbox\"> ");
} else {
try self.out.append("<input type=\"checkbox\" checked> ");
}
try self.out.append(self.cur_token.literal);
try self.out.append("</input><br>");
self.nextToken();
}
try self.out.append("</div>");
} else {
while (!self.curTokenIs(.TK_EOF)) {
if (self.curTokenIs(.TK_SPACE)) {
if (self.prev_token.ty == .TK_SPACE) spaces = 2 else spaces = 1;
self.nextToken();
if (!self.curTokenIs(parse_ty) and !self.curTokenIs(.TK_SPACE) and !self.curTokenIs(.TK_STR) and !self.curTokenIs(.TK_STRIKETHROUGH) and !self.curTokenIs(.TK_ASTERISKS) and !self.curTokenIs(.TK_UNDERLINE) and !self.curTokenIs(.TK_LBRACE)) {
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
break;
}
if (self.curTokenIs(.TK_SPACE)) {
while (self.curTokenIs(.TK_SPACE)) {
spaces += 1;
self.nextToken();
}
if (self.curTokenIs(parse_ty)) {
self.nextToken();
self.nextToken();
}
}
if (self.curTokenIs(parse_ty)) {
self.nextToken();
self.nextToken();
}
}
// skip ---
if ((self.curTokenIs(.TK_MINUS) and self.peek_token.ty == .TK_MINUS) or self.prev_token.ty == .TK_BR) {
break;
}
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
var unordered: Unordered = .{ .spaces = spaces, .token = self.cur_token, .list = std.ArrayList([]const u8).init(self.allocator) };
var idx: usize = 0;
const cur_out_len = blk: {
switch (self.cur_token.ty) {
.TK_STR => {
self.nextToken();
try self.parseText();
break :blk self.out.items.len;
},
.TK_LBRACE => {
self.nextToken();
try self.parseLink();
self.nextToken();
break :blk self.out.items.len;
},
.TK_STRIKETHROUGH => {
self.nextToken();
try self.parseStrikethrough();
self.nextToken();
break :blk self.out.items.len;
},
.TK_ASTERISKS, .TK_UNDERLINE => {
self.nextToken();
try self.parseStrong();
self.nextToken();
break :blk self.out.items.len;
},
else => break :blk out_len,
}
};
try unordered.list.appendSlice(self.out.items[out_len..cur_out_len]);
while (idx < cur_out_len - out_len) : (idx += 1) {
_ = self.out.swapRemove(out_len);
}
try self.unordered_list.append(unordered);
self.nextToken();
}
}
}
if (orderdlist and !is_task) {
var idx: usize = 1;
const len = self.unordered_list.items.len;
{
if (parse_ty == .TK_MINUS or parse_ty == .TK_PLUS) {
try self.out.append("<ul>");
} else {
try self.out.append("<ol>");
}
try self.out.append("<li>");
try self.out.appendSlice(self.unordered_list.items[0].list.items[0..]);
try self.out.append("</li>");
}
while (idx < len) : (idx += 1) {
var prev_idx: usize = 0;
while (prev_idx < idx) : (prev_idx += 1) {
if (self.unordered_list.items[idx].spaces == self.unordered_list.items[prev_idx].spaces) {
if (self.unordered_list.items[idx].spaces < self.unordered_list.items[idx - 1].spaces) {
if (parse_ty == .TK_MINUS or parse_ty == .TK_PLUS) {
try self.out.append("</ul>");
} else {
try self.out.append("</ol>");
}
}
try self.out.append("<li>");
try self.out.appendSlice(self.unordered_list.items[idx].list.items[0..]);
try self.out.append("</li>");
break;
}
}
if (self.unordered_list.items[idx].spaces > self.unordered_list.items[idx - 1].spaces) {
if (parse_ty == .TK_MINUS or parse_ty == .TK_PLUS) {
try self.out.append("<ul>");
} else {
try self.out.append("<ol>");
}
try self.out.append("<li>");
try self.out.appendSlice(self.unordered_list.items[idx].list.items[0..]);
try self.out.append("</li>");
if (idx == len - 1) {
if (parse_ty == .TK_MINUS or parse_ty == .TK_PLUS) {
try self.out.append("</ul>");
} else {
try self.out.append("</ol>");
}
}
}
}
if (parse_ty == .TK_MINUS or parse_ty == .TK_PLUS) {
try self.out.append("</ul>");
} else {
try self.out.append("</ol>");
}
self.resetOrderList();
}
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
fn parseLink(self: *Parser) !void {
// [link](https://github.com)
if (self.curTokenIs(.TK_STR)) {
const str = self.cur_token.literal;
if (self.peekTokenIs(.TK_RBRACE)) {
self.nextToken();
}
self.nextToken(); //skip ]
if (self.curTokenIs(.TK_LPAREN)) {
self.nextToken(); // skip (
}
var a_href = std.ArrayList([]const u8).init(self.allocator);
while (!self.curTokenIs(.TK_EOF) and !self.curTokenIs(.TK_RPAREN)) {
try a_href.append(self.cur_token.literal);
self.nextToken();
}
const a_href_str = try std.mem.join(self.allocator, "", a_href.items);
const fmt = try std.fmt.allocPrint(self.allocator, "<a href=\"{s}\">{s}", .{ a_href_str, str });
try self.out.append(fmt);
if (self.curTokenIs(.TK_RPAREN)) {
try self.out.append("</a>");
self.nextToken();
}
}
// [](https://github.com/Chanyon)
if (self.curTokenIs(.TK_BANG)) {
self.nextToken();
var img_tag: []const u8 = undefined;
try self.parseImage();
img_tag = self.out.pop();
if (self.expectPeek(.TK_LPAREN)) {
self.nextToken();
if (self.peekTokenIs(.TK_RPAREN)) {
const fmt = try std.fmt.allocPrint(self.allocator, "<a href=\"{s}\">{s}</a>", .{ self.cur_token.literal, img_tag });
try self.out.append(fmt);
self.nextToken();
self.nextToken();
}
}
}
// [^anchor link]:text
if (self.curTokenIs(.TK_INSERT)) {
self.nextToken();
var insert_text: []const u8 = undefined;
if (self.peekTokenIs(.TK_RBRACE)) {
insert_text = self.cur_token.literal;
if (self.is_parse_text) {
const fmt = try std.fmt.allocPrint(self.allocator, "<a id=\"src-{s}\" href=\"#target-{s}\"><sup>[{s}]</sup></a>", .{ insert_text, insert_text, insert_text });
try self.out.append(fmt);
}
self.nextToken();
self.nextToken();
if (self.curTokenIs(.TK_COLON)) {
self.nextToken();
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
if (self.curTokenIs(.TK_STR)) {
try self.footnote_list.append(.{ .insert_text = insert_text, .detailed_text = self.cur_token.literal });
self.nextToken();
}
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
}
}
}
return;
}
fn footnoteInsert(self: *Parser) !void {
if (self.footnote_list.items.len > 0) {
try self.out.append("<div><section>");
for (self.footnote_list.items) |footnote| {
const fmt = try std.fmt.allocPrint(self.allocator, "<p><a id=\"target-{s}\" href=\"#src-{s}\">[^{s}]</a>: {s}</p>", .{ footnote.insert_text, footnote.insert_text, footnote.insert_text, footnote.detailed_text });
try self.out.append(fmt);
}
try self.out.append("</section></div>");
}
}
fn parseLinkWithLT(self: *Parser) !void {
if (self.curTokenIs(.TK_STR)) {
const str = self.cur_token.literal;
if (self.IsHtmlTag(str)) {
try self.out.append("<");
while (!self.curTokenIs(.TK_EOF)) {
if (self.curTokenIs(.TK_BR)) {
if (self.peekOtherTokenIs(self.peek_token.ty)) {
break;
}
self.nextToken();
continue;
}
try self.out.append(self.cur_token.literal);
self.nextToken();
}
} else {
const fmt = try std.fmt.allocPrint(self.allocator, "<a href=\"{s}", .{str});
try self.out.append(fmt);
self.nextToken();
if (self.cur_token.ty == .TK_GT) {
try self.out.append("\">");
try self.out.append(str);
try self.out.append("</a>");
} else {
var a_conetent = std.ArrayList([]const u8).init(self.allocator);
// defer a_conetent.deinit();
while (!self.curTokenIs(.TK_EOF) and !self.curTokenIs(.TK_GT)) {
try self.out.append(self.cur_token.literal);
try a_conetent.append(self.cur_token.literal);
self.nextToken();
}
try self.out.append("\">");
try self.out.append(str);
try self.out.appendSlice(a_conetent.items);
try self.out.append("</a>");
}
}
}
self.nextToken();
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
// 
fn parseImage(self: *Parser) !void {
if (self.curTokenIs(.TK_LBRACE)) {
self.nextToken();
if (self.curTokenIs(.TK_STR)) {
const str = self.cur_token.literal;
self.nextToken();
if (self.curTokenIs(.TK_RBRACE)) {
if (self.expectPeek(.TK_LPAREN)) {
self.nextToken();
const fmt = try std.fmt.allocPrint(self.allocator, "<img src=\"{s}\" alt=\"{s}\">", .{ self.cur_token.literal, str });
try self.out.append(fmt);
}
}
}
}
self.nextToken();
self.nextToken();
return;
}
fn parseStrikethrough(self: *Parser) !void {
if (self.curTokenIs(.TK_STRIKETHROUGH)) {
self.nextToken();
if (self.peekTokenIs(.TK_STRIKETHROUGH)) {
try self.out.append("<p><s>");
try self.out.append(self.cur_token.literal);
try self.out.append("</s></p>");
self.nextToken();
}
}
self.nextToken();
self.nextToken();
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
fn parseStrikethrough2(self: *Parser) !void {
if (self.curTokenIs(.TK_STRIKETHROUGH)) {
self.nextToken();
if (self.peekTokenIs(.TK_STRIKETHROUGH)) {
try self.out.append("<s>");
try self.out.append(self.cur_token.literal);
try self.out.append("</s>");
self.nextToken();
}
}
self.nextToken();
self.nextToken();
// std.debug.print("2 {any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
fn parseCode(self: *Parser) !void {
if (self.peekTokenIs(.TK_CODE)) {
try self.out.append("<code>");
try self.out.append(self.cur_token.literal);
try self.out.append("</code>");
self.nextToken();
}
self.nextToken();
return;
}
fn parseBackquotes(self: *Parser) !void {
try self.out.append("<code>");
try self.out.append(self.cur_token.literal);
self.nextToken();
if (self.curTokenIs(.TK_CODE)) {
try self.out.append(self.cur_token.literal);
self.nextToken();
try self.out.append(self.cur_token.literal);
if (self.expectPeek(.TK_CODE)) {
try self.out.append(self.cur_token.literal);
self.nextToken();
}
while (!self.curTokenIs(.TK_CODELINE) and !self.curTokenIs(.TK_EOF)) {
try self.out.append(self.cur_token.literal);
self.nextToken();
}
}
if (self.curTokenIs(.TK_CODELINE)) {
try self.out.append("</code>");
self.nextToken();
}
return;
}
fn parseCodeBlock(self: *Parser) !void {
//```zig
if (self.curTokenIs(.TK_STR)) {
try self.out.append("<pre><code class=\"language-");
try self.out.append(self.cur_token.literal);
try self.out.append("\">");
self.nextToken();
} else {
try self.out.append("<pre><code>");
}
while (!self.curTokenIs(.TK_EOF) and !self.curTokenIs(.TK_CODEBLOCK)) {
try self.out.append("<span>");
if (self.curTokenIs(.TK_BR)) {
try self.out.append("\n");
} else {
try self.out.append(self.cur_token.literal);
}
try self.out.append("</span>");
self.nextToken();
}
if (self.curTokenIs(.TK_CODEBLOCK)) {
try self.out.append("</code></pre>");
self.nextToken();
}
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
return;
}
fn parseTable(self: *Parser) !void {
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.cur_token.ty)) {
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
// :--- :---:
if (self.curTokenIs(.TK_COLON) and self.peekTokenIs(.TK_MINUS)) {
self.nextToken();
while (self.curTokenIs(.TK_MINUS)) {
self.nextToken();
}
if (self.curTokenIs(.TK_COLON)) {
try self.table_context.align_style.append(.Center);
self.nextToken();
} else {
try self.table_context.align_style.append(.Left);
}
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
// ---:
if (self.curTokenIs(.TK_MINUS)) {
while (self.curTokenIs(.TK_MINUS)) {
self.nextToken();
}
if (self.curTokenIs(.TK_COLON)) {
try self.table_context.align_style.append(.Right);
self.nextToken();
}
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
//table text
if (self.curTokenIs(.TK_STR)) {
var list = std.ArrayList(Token).init(self.allocator);
while (self.curTokenIs(.TK_STR)) {
try list.append(self.cur_token);
self.nextToken();
}
try self.table_list.append(list);
list.clearRetainingCapacity();
}
if (!self.table_context.cols_done and self.curTokenIs(.TK_VERTICAL)) {
if (self.peekTokenIs(.TK_BR)) {
self.table_context.cols_done = true;
self.nextToken();
self.nextToken();
} else {
self.table_context.cols += 1;
self.nextToken();
}
}
self.nextToken();
if (self.curTokenIs(.TK_BR) and self.peekTokenIs(.TK_VERTICAL)) {
self.nextToken();
self.nextToken();
}
// std.debug.print("{any}==>`{s}`\n", .{ self.cur_token.ty, self.cur_token.literal });
}
var idx: usize = 0;
const len = self.table_list.items.len;
const algin_len = self.table_context.align_style.items.len;
try self.out.append("<table><thead>");
while (idx < self.table_context.cols) : (idx += 1) {
if (algin_len == 0) {
try self.out.append("<th>");
} else {
switch (self.table_context.align_style.items[idx]) {
.Left => {
try self.out.append("<th style=\"text-align:left\">");
},
.Center => {
try self.out.append("<th style=\"text-align:center\">");
},
.Right => {
try self.out.append("<th style=\"text-align:right\">");
},
}
}
for (self.table_list.items[idx].items) |value| {
try self.out.append(trimRight(u8, value.literal, " "));
}
try self.out.append("</th>");
}
{
try self.out.append("</thead>");
try self.out.append("<tbody>");
}
idx = self.table_context.cols;
while (idx < len) : (idx += self.table_context.cols) {
try self.out.append("<tr>");
var k: usize = idx;
while (k < idx + self.table_context.cols) : (k += 1) {
if (algin_len == 0) {
try self.out.append("<td>");
} else {
switch (self.table_context.align_style.items[
@mod(k, algin_len)
]) {
.Left => {
try self.out.append("<td style=\"text-align:left\">");
},
.Center => {
try self.out.append("<td style=\"text-align:center\">");
},
.Right => {
try self.out.append("<td style=\"text-align:right\">");
},
}
}
for (self.table_list.items[k].items) |value| {
try self.out.append(trimRight(u8, value.literal, " "));
}
try self.out.append("</td>");
}
try self.out.append("</tr>");
}
try self.out.append("</tbody></table>");
self.resetTableContext();
return;
}
fn resetTableContext(self: *Parser) void {
self.table_context.cols = 1;
self.table_context.cols_done = false;
self.table_list.clearRetainingCapacity();
self.table_context.align_style.clearRetainingCapacity();
}
fn resetOrderList(self: *Parser) void {
for (self.unordered_list.items) |item| {
item.list.deinit();
}
self.unordered_list.clearRetainingCapacity();
}
fn curTokenIs(self: *Parser, token: TokenType) bool {
return token == self.cur_token.ty;
}
fn peekOtherTokenIs(self: *Parser, token: TokenType) bool {
_ = self;
const tokens = [_]TokenType{ .TK_MINUS, .TK_PLUS, .TK_BANG, .TK_UNDERLINE, .TK_VERTICAL, .TK_WELLNAME, .TK_NUM_DOT, .TK_CODEBLOCK };
for (tokens) |v| {
if (v == token) {
return true;
}
}
return false;
}
fn peekTokenIs(self: *Parser, token: TokenType) bool {
return self.peek_token.ty == token;
}
fn expectPeek(self: *Parser, token: TokenType) bool {
if (self.peekTokenIs(token)) {
self.nextToken();
return true;
}
return false;
}
fn IsHtmlTag(self: *Parser, str: []const u8) bool {
_ = self;
const html_tag_list = [_][]const u8{ "div", "a", "p", "ul", "li", "ol", "dt", "dd", "span", "img", "table" };
for (html_tag_list) |value| {
if (std.mem.startsWith(u8, str, value)) {
return true;
}
}
return false;
}
};
test "parser heading 1" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
var lexer = Lexer.newLexer("#heading\n");
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>#heading</p>"));
}
test "parser heading 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
var lexer = Lexer.newLexer("######heading\n");
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>######heading</p>"));
}
test "parser heading 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
var lexer = Lexer.newLexer("###### heading\n\n\n\n");
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<h6 id=\"target-62973\">heading</h6>"));
}
test "parser heading 4" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\# hello
\\
\\### heading
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<h1 id=\"target-62973\">hello</h1><h3 id=\"target-62973\">heading</h3>"));
}
test "parser text" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello
\\world
\\
\\
\\
\\
\\
\\# test
\\####### test
\\######test
\\######
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello<br>world<br></p><h1 id=\"target-62973\">test</h1><p>####### test</p><p>######test</p><p></p>"));
}
test "parser text 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
var lexer = Lexer.newLexer("hello\n");
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello<br></p>"));
}
test "parser text 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello
\\
\\# test
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello<br></p><h1 id=\"target-62973\">test</h1>"));
}
test "parser text 4" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello *test* world
\\hello*test*world
\\`code test`
\\test
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello <em>test</em> world<br>hello<em>test</em>world<br><code>code test</code><br>test</p>"));
}
test "parser strong **Bold** 1" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\**hello**
\\*** world ***
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<strong>hello</strong><strong><em> world </em></strong>"));
}
test "parser strong **Bold** 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\**hello**
\\# heading
\\*** world ***
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<strong>hello</strong><h1 id=\"target-62973\">heading</h1><strong><em> world </em></strong>"));
}
test "parser text and strong **Bold** 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello**test
\\**world\!
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello<strong>test</strong>world!<br></p>"));
}
test "parser strong __Bold__ 1" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\12344__hello__123
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>12344<strong>hello</strong>123<br></p>"));
}
test "parser text and quote grammar" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\>hello world
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<blockquote>hello world</blockquote>"));
}
test "parser text and quote grammar 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\> hello world
\\>
\\>> test
\\>
\\>> test2
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<blockquote> hello world<blockquote> test<blockquote> test2</blockquote></blockquote></blockquote>"));
}
test "parser text and quote grammar 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\>
\\> #world
\\>
\\> **test**
\\>
\\>> test2
\\>
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<blockquote></blockquote><p>world<br>><br>> <strong>test</strong><br>><br>>> test2<br>></p>"));
}
test "parser blankline" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\---
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<hr>"));
}
test "parser blankline 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\****
\\---
\\
\\hello
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<hr><hr><p>hello<br></p>"));
}
test "parser blankline 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\***nihhha***
\\
\\***### 123
\\
\\### hh
\\---
\\awerwe---
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<strong><em>nihhha</em></strong><strong><em>### 123<h3 id=\"target-62973\">hh</h3><hr><p>awerwe---<br></p>"));
}
test "parser <ul></ul> 1" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\- test*123*
\\ - test2
\\ - test3
\\ - [test4](https://github.com/)
\\- ~~test5~~
\\ - ***test6***
\\- __Bold__
\\
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s}\n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<ul><li><p>test<em>123</em><br></p></li><ul><li><p>test2<br></p></li><ul><li><p>test3<br></p></li></ul><li><a href=\"https://github.com/\">test4</a></li></ul><li><p><s>test5</s></p></li><li><strong><em>test6</em></strong></li><ul><li><strong><em>test6</em></strong></li></ul><li><strong>Bold</strong></li></ul><hr>"));
}
test "parser <ol></ol>" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\1. test
\\ 1. test2
\\ 1. test3
\\ 2. test4
\\2. test5
\\3. test6
\\
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<ol><li><p>test<br></p></li><ol><li><p>test2<br></p></li><ol><li><p>test3<br></p></li></ol><li><p>test4<br></p></li></ol><li><p>test5<br></p></li><li><p>test6<br></p></li></ol><hr>"));
}
test "parser <ul></ul> 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\+ test
\\ + test2
\\ + test3
\\ + test4
\\+ test5
\\+ test6
\\
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<ul><li><p>test<br></p></li><ul><li><p>test2<br></p></li><ul><li><p>test3<br></p></li></ul><li><p>test4<br></p></li></ul><li><p>test5<br></p></li><li><p>test6<br></p></li></ul><hr>"));
}
test "parser link" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\[link](https://github.com/)
\\[link2](https://github.com/2)
\\hello[link](https://github.com/)
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<a href=\"https://github.com/\">link</a><a href=\"https://github.com/2\">link2</a><p>hello<a href=\"https://github.com/\">link</a><br></p>"));
}
test "parser link 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\<https://github\_1.com>
\\<https://github.com/2>
\\hello<https://github.com>wooo
\\
\\ref: <https://www.nand2tetris.org/>
\\ref: <https://github.com/AllenWrong/nand2tetris>
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<a href=\"https://github_1.com\">https://github_1.com</a><a href=\"https://github.com/2\">https://github.com/2</a><p>hello<a href=\"https://github.com\">https://github.com</a>wooo<br></p><p>ref: <a href=\"https://www.nand2tetris.org/\">https://www.nand2tetris.org/</a><br>ref: <a href=\"https://github.com/AllenWrong/nand2tetris\">https://github.com/AllenWrong/nand2tetris</a></p>"));
}
test "parser image link" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\[](https://github.com/Chanyon)
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<a href=\"https://github.com/Chanyon\"><img src=\"/assets/img/ship.jpg\" alt=\"image\"></a>"));
}
test "parser img" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<img src=\"/assets/img/philly-magic-garden.jpg\" alt=\"img\">"));
}
test "parser strikethrough" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\~~awerwe~~
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p><s>awerwe</s></p>"));
}
test "parser strikethrough 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\abcdef.~~awerwe~~ghijk
\\lmn
\\---
\\***123***
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>abcdef.<s>awerwe</s>ghijk<br>lmn<br></p><hr><strong><em>123</em></strong>"));
}
test "parser code" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\123455`test`12333
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>123455<code>test</code>12333<br></p><hr>"));
}
test "parser code 2" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\``hello world `test` ``
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<code>hello world `test` </code><hr>"));
}
test "parser code 3" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\1234``hello world `test` ``1234
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>1234<code>hello world `test` </code>1234<br></p><hr>"));
}
test "parser code 4" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\```js
\\{
\\ "width": "100px",
\\ "height": "100px",
\\}
\\```
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<pre><code class=\"language-js\"><span>\n</span><span>{</span><span>\n</span><span> </span><span> </span><span>\"width\": \"100px\",</span><span>\n</span><span> </span><span> </span><span>\"height\": \"100px\",</span><span>\n</span><span>}</span><span>\n</span></code></pre>"));
}
test "parser code 5" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\```
\\<p>test</p>
\\---
\\```
\\```
\\<code></code>
\\```
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<pre><code><span>\n</span><span><</span><span>p</span><span>></span><span>test</span><span><</span><span>/p</span><span>></span><span>\n</span><span>-</span><span>-</span><span>-</span><span>\n</span></code></pre><pre><code><span>\n</span><span><</span><span>code</span><span>></span><span><</span><span>/code</span><span>></span><span>\n</span></code></pre>"));
}
test "parser raw html" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\<p style="font-size: 24px;">hello</p>
\\<div>world
\\</div>
\\
\\
\\
\\
\\- one
\\- two
\\
\\# test raw html
\\
\\test
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p style=\"font-size: 24px;\">hello</p><div>world</div><ul><li><p>one<br></p></li><li><p>two<br></p></li></ul><h1 id=\"target-62973\">test raw html</h1><p>test</p>"));
}
// test "parser windows newline" {
// var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
// const al = gpa.allocator();
// defer gpa.deinit();
// const text = "hello\r\n";
// var lexer = Lexer.newLexer(text);
// var parser = Parser.NewParser(&lexer, al);
// defer parser.deinit();
// try parser.parseProgram();
// const str = try std.mem.join(al, "", parser.out.items);
// const res = str[0..str.len];
// std.debug.print("--{s}\n", .{res});
// try std.testing.expect(std.mem.eql(u8, res, "<p>hello<br></p>"));
// }
test "parser table" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\| Syntaxo\_one | Description\_two | Test\_three |
\\| :----------- | --------: | :-----: |
\\| Header one | Title two | will three |
\\| Paragraph one | Text two | why three |
\\
\\---
\\| Syntax | Description |
\\| ----------- | ----------- |
\\| Header | Title |
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s}\n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<table><thead><th style=\"text-align:left\">Syntaxo_one</th><th style=\"text-align:right\">Description_two</th><th style=\"text-align:center\">Test_three</th></thead><tbody><tr><td style=\"text-align:left\">Header one</td><td style=\"text-align:right\">Title two</td><td style=\"text-align:center\">will three</td></tr><tr><td style=\"text-align:left\">Paragraph one</td><td style=\"text-align:right\">Text two</td><td style=\"text-align:center\">why three</td></tr></tbody></table><hr><table><thead><th>Syntax</th><th>Description</th></thead><tbody><tr><td>Header</td><td>Title</td></tr></tbody></table>"));
}
test "parser task list" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\- [ ] task one
\\- [ ] task two
\\- [x] task three
\\
\\---
\\- task
\\- [Go jiaocheng](https://geektutu.com/post/quick-golang.html)
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s}\n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<div><input type=\"checkbox\"> task one</input><br><input type=\"checkbox\"> task two</input><br><input type=\"checkbox\" checked> task three</input><br></div><hr><ul><li><p>task<br></p></li><li><a href=\"https://geektutu.com/post/quick-golang.html\">Go jiaocheng</a></li></ul>"));
}
test "parser list" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello
\\- test \
\\ [Go jiaocheng](https://geektutu.com/post/quick-golang.html) \
\\ test1
\\
\\ - test2 \
\\ hello
\\
\\ - test3
\\
\\test4
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s}\n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello <br></p><ul><li><p>test <br> <a href=\"https://geektutu.com/post/quick-golang.html\">Go jiaocheng</a> <br> test1<br></p></li><ul><li><p>test2 <br> hello<br></p></li><ul><li><p>test3<br></p></li></ul></ul><p>test4 </p>"));
}
test "parser footnote" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\hello[^1]test
\\
\\
\\hello[^2]test
\\
\\[^1]: ooo
\\[^2]: qqq
\\---
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>hello<a id=\"src-1\" href=\"#target-1\"><sup>[1]</sup></a>test<br></p><p>hello<a id=\"src-2\" href=\"#target-2\"><sup>[2]</sup></a>test<br></p><hr><div><section><p><a id=\"target-1\" href=\"#src-1\">[^1]</a>: ooo</p><p><a id=\"target-2\" href=\"#src-2\">[^2]</a>: qqq</p></section></div>"));
}
test "parser other" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\4 \< 5;
\\<= 5;
\\\[\]
\\\<123\>
\\3333!
\\
\\\*12323\* \! \# \~ \-
\\\_rewrew\_ \(\)
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("--{s}\n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>4 < 5;<br><a href=\"= 5;<br>[]<br><123><br>3333!<br><br>*12323* ! # ∼ −<br>_rewrew_ ()<br>\">= 5;<br>[]<br><123><br>3333!<br><br>*12323* ! # ∼ −<br>_rewrew_ ()<br></a></p>"));
}
test "parser multiple line \\" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\- A1 \
\\ **text** \
\\ hello
\\ - B2 \
\\ world\! \
\\ dcy
\\- C3
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<ul><li><p>A1 <br> <strong>text</strong> <br> hello<br></p></li><ul><li><p>B2 <br> world! <br> dcy<br></p></li></ul><li><p>C3</p></li></ul>"));
}
// test "title_nav list" {
// var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
// const al = gpa.allocator();
// defer gpa.deinit();
// const text =
// \\### A1
// \\### A2
// \\### A3
// \\### A4
// ;
// var lexer = Lexer.newLexer(text);
// var parser = Parser.NewParser(&lexer, al);
// defer parser.deinit();
// try parser.parseProgram();
// const str = try std.mem.join(al, "", parser.title_nav.items);
// const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
// try std.testing.expect(std.mem.eql(u8, res, ""));
// }
test "title_nav a" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\font:
\\<a href="https://github.com/Chanyon/go\_web\_blog" target="\_blank">
\\BLOG
\\</a>
\\
\\
\\#### 1232
\\
\\---
\\
\\[A](https:lll.\_com)
\\
\\<https:come\_1>
\\
;
var lexer = Lexer.newLexer(text);
var parser = Parser.NewParser(&lexer, al);
defer parser.deinit();
try parser.parseProgram();
const str = try std.mem.join(al, "", parser.out.items);
const res = str[0..str.len];
// std.debug.print("{s} \n", .{res});
try std.testing.expect(std.mem.eql(u8, res, "<p>font:<br><a href=\"https://github.com/Chanyon/go_web_blog\" target=\"_blank\">BLOG</a>#</p><h3 id=\"target-62973\">1232</h3><hr><a href=\"https:lll._com\">A</a><a href=\"https:come_1\">https:come_1</a>"));
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/utils.zig | const std = @import("std");
const ArrayList = std.ArrayList;
const Item = @import("ast.zig").UnorderList.Item;
pub const Node = struct {
value: Item,
parent: ?*Node = null,
childrens: ?ArrayList(*Node),
pub fn init(al: std.mem.Allocator) Node {
return .{ .value = undefined, .childrens = ArrayList(*Node).init(al) };
}
pub fn deinit(self: *Node) void {
if (self.childrens) |c| {
for (c.items) |c_i| {
c_i.deinit();
}
self.childrens.?.deinit();
}
}
};
pub const UnorderListNode = struct {
root: ArrayList(*Node),
pub fn init(al: std.mem.Allocator) UnorderListNode {
return .{ .root = ArrayList(*Node).init(al) };
}
pub fn deinit(self: *UnorderListNode) void {
for (self.root.items) |item| {
item.deinit();
}
self.root.deinit();
}
};
|
0 | repos/minimd-zig | repos/minimd-zig/src/token.zig | pub const Token = struct {
ty: TokenType,
literal: []const u8,
level: ?usize,
};
pub const TokenType = enum {
TK_MINUS, // -
TK_PLUS, // +
TK_ASTERISKS, // *
TK_BANG, // !
TK_LT, // <
TK_GT,
TK_LBRACE, // [
TK_RBRACE, // ]
TK_LPAREN, // (
TK_RPAREN,
TK_STR, // text
TK_UNDERLINE, // _
TK_VERTICAL, // |
TK_WELLNAME, //example: ## Heading level 2
TK_SPACE, // " "
TK_BR, // <br>
TK_NUM_DOT, // 1. content
TK_CODEBLOCK, // ```
TK_CODELINE, // ``
TK_CODE, // `
TK_STRIKETHROUGH, // ~
TK_COLON, // :
TK_INSERT, // ^
TK_NUM,
TK_BACKSLASH, // \
TK_QUOTE, // "
TK_EOF,
};
pub fn newToken(ty: TokenType, literal: []const u8, level: ?usize) Token {
return .{
.ty = ty,
.literal = literal,
.level = level,
};
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/lib.zig | const std = @import("std");
const Lexer = @import("lexer.zig").Lexer;
pub const Parser = @import("parse.zig").Parser;
// markdown parser
pub fn parser(allocator: std.mem.Allocator, source: []const u8) !Parser {
var lexer = Lexer.newLexer(source);
var p = Parser.NewParser(&lexer, allocator);
try p.parseProgram();
return p;
}
test "markdown parser" {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const al = gpa.allocator();
defer gpa.deinit();
const text =
\\```
\\<p>test</p>
\\```
\\
\\# heading
\\hello world!
\\---
\\***test***
\\
\\ [](https://github.com/Chanyon)
\\hello~~test~~world
\\---
\\> hello
\\
\\> hello
\\>
\\>> world
\\>
\\>> test2
\\
\\<div>hello world</div>
\\- one
\\- two
\\- test
\\
\\__hello__
;
var parse = try parser(al, text);
defer parse.deinit();
const str = try std.mem.join(al, "", parse.out.items);
const res = str[0..str.len];
_ = res;
// std.debug.print("{s} \n", .{res});
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/parse2.zig | const Parser = @This();
allocator: std.mem.Allocator,
lex: *Lexer,
cur_token: Token,
peek_token: Token,
context: Context,
heading_titles: std.ArrayList(AstNode),
footnotes: std.ArrayList(AstNode),
const Context = struct {
orderlist: bool,
space: u8,
link_id: u8 = 0,
list_type: UnorderList.ListType = .unorder,
};
fn init(lex: *Lexer, al: std.mem.Allocator) Parser {
var p = Parser{
//
.allocator = al,
.lex = lex,
.cur_token = undefined,
.peek_token = undefined,
.context = .{ .orderlist = false, .space = 1 },
.heading_titles = std.ArrayList(AstNode).init(al),
.footnotes = std.ArrayList(AstNode).init(al),
};
p.nextToken();
p.nextToken();
return p;
}
// fn deinit(self: *Parser) void {
// self.heading_titles.deinit();
// }
fn nextToken(self: *Parser) void {
self.cur_token = self.peek_token;
self.peek_token = self.lex.nextToken();
}
pub fn parser(self: *Parser) !Tree {
var tree = Tree.init(self.allocator);
while (!self.curTokenIs(.TK_EOF)) {
var stmt = try self.parseStatement();
try tree.addNode(stmt);
self.nextToken();
}
try tree.heading_titles.appendSlice(self.heading_titles.items);
self.heading_titles.clearAndFree();
try tree.footnotes.appendSlice(self.footnotes.items);
self.footnotes.clearAndFree();
return tree;
}
fn parseStatement(self: *Parser) !AstNode {
var t = switch (self.cur_token.ty) {
.TK_WELLNAME => try self.parseHeading(),
.TK_MINUS => try self.parseBlankLine(),
.TK_CODEBLOCK => try self.parseCodeBlock(),
.TK_VERTICAL => try self.parseTable(),
.TK_LT => try self.parseRawHtml(),
.TK_NUM_DOT => {
self.context.list_type = .order;
return try self.parseOrderList();
},
else => try self.parseParagraph(),
};
return t;
}
fn parseText(self: *Parser) !AstNode {
var text = Text.init(self.allocator);
while (self.curTokenIs(.TK_STR) or self.curTokenIs(.TK_SPACE) or self.curTokenIs(.TK_NUM)) {
try text.value.concat(self.cur_token.literal);
self.nextToken();
}
if (self.curTokenIs(.TK_BR)) {
try text.value.concat("\n");
self.nextToken();
}
return .{ .text = text };
}
fn parseHeading(self: *Parser) !AstNode {
var heading = Heading.init(self.allocator);
while (self.curTokenIs(.TK_WELLNAME)) {
heading.level += 1;
self.nextToken();
}
if (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
var value = try self.allocator.create(AstNode);
value.* = try self.parseText();
heading.value = value;
heading.uuid = UUID.init();
var ah = .{ .heading = heading };
try self.heading_titles.append(ah);
return ah;
}
fn parseBlankLine(self: *Parser) !AstNode {
var blank_line = BlankLine.init();
while (self.curTokenIs(.TK_MINUS)) {
blank_line.level += 1;
self.nextToken();
}
if (blank_line.level >= 3) {
while (self.curTokenIs(.TK_BR)) {
self.nextToken();
}
return .{ .blank_line = blank_line };
}
if (blank_line.level == 1) {
if (self.curTokenIs(.TK_SPACE) and self.peek_token.ty == .TK_LBRACE) {
self.nextToken(); //skip space
self.nextToken(); //skip [
var task = TaskList.init(self.allocator);
var list = try self.parseTaskList();
try task.tasks.append(list);
while (self.curTokenIs(.TK_MINUS)) {
self.nextToken();
if (self.curTokenIs(.TK_SPACE) and self.peek_token.ty == .TK_LBRACE) {
self.nextToken(); //skip space
self.nextToken(); //skip [
list = try self.parseTaskList();
try task.tasks.append(list);
}
}
return .{ .task_list = task };
} else if (self.curTokenIs(.TK_SPACE)) {
self.context.list_type = .unorder;
return try self.parseOrderList();
} else {
return error.TaskOrUnorderListError;
}
}
return .{ .blank_line = blank_line };
}
fn parseTaskList(self: *Parser) !TaskList.List {
var list = TaskList.List.init();
if (self.curTokenIs(.TK_SPACE)) {
list.task_is_done = false;
self.nextToken();
}
if (std.mem.eql(u8, self.cur_token.literal, "x")) {
list.task_is_done = true;
self.nextToken();
}
if (self.curTokenIs(.TK_RBRACE)) {
self.nextToken();
var des = try self.allocator.create(TaskList.List.TaskDesc);
des.* = try self.parseTaskDesc();
list.des = des;
return list;
} else {
return error.TaskListError;
}
}
fn parseTaskDesc(self: *Parser) !TaskList.List.TaskDesc {
var task_desc = TaskList.List.TaskDesc.init(self.allocator);
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.cur_token.ty) and !self.peekOtherTokenIs(self.peek_token.ty)) {
switch (self.cur_token.ty) {
.TK_STR => {
var text = try self.parseText();
try task_desc.stmts.append(text);
},
.TK_STRIKETHROUGH => {
var s = try self.parseStrikethrough();
try task_desc.stmts.append(s);
},
.TK_LBRACE => {
var link = try self.parseLink();
try task_desc.stmts.append(link);
},
.TK_CODE => {
var code = try self.parseCode();
try task_desc.stmts.append(code);
},
.TK_ASTERISKS => {
var strong = try self.parseStrong();
try task_desc.stmts.append(strong);
},
else => {
self.nextToken();
},
}
}
return task_desc;
}
// ***string***
fn parseStrong(self: *Parser) !AstNode {
var strong = Strong.init(self.allocator);
while (self.curTokenIs(.TK_ASTERISKS)) {
strong.level += 1;
self.nextToken();
}
if (self.curTokenIs(.TK_STR)) {
var value = try self.allocator.create(AstNode);
value.* = try self.parseText();
strong.value = value;
}
// if cur is't * return error.StrongError
if (self.curTokenIs(.TK_ASTERISKS)) {
while (self.curTokenIs(.TK_ASTERISKS)) {
self.nextToken();
}
} else {
return error.StrongError;
}
return .{ .strong = strong };
}
fn parseStrikethrough(self: *Parser) !AstNode {
var stri = Strikethrough.init(self.allocator);
while (self.curTokenIs(.TK_STRIKETHROUGH)) {
self.nextToken();
}
if (self.curTokenIs(.TK_STR)) {
var value = try self.allocator.create(AstNode);
value.* = try self.parseText();
stri.value = value;
}
if (self.curTokenIs(.TK_STRIKETHROUGH)) {
while (self.curTokenIs(.TK_STRIKETHROUGH)) {
self.nextToken();
}
} else {
return error.SttrikethroughError;
}
return .{ .strikethrough = stri };
}
fn parseParagraph(self: *Parser) !AstNode {
var paragraph = Paragrah.init(self.allocator);
// \n skip
while (self.curTokenIs(.TK_BR)) {
self.nextToken();
}
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.cur_token.ty)) {
switch (self.cur_token.ty) {
.TK_STR => {
var text = try self.parseText();
try paragraph.stmts.append(text);
},
.TK_STRIKETHROUGH => {
var s = try self.parseStrikethrough();
try paragraph.stmts.append(s);
},
.TK_LBRACE => {
var link = try self.parseLink();
try paragraph.stmts.append(link);
},
.TK_CODE => {
var code = try self.parseCode();
try paragraph.stmts.append(code);
},
.TK_BANG => {
var images = try self.parseImages();
try paragraph.stmts.append(images);
},
.TK_ASTERISKS => {
var strong = try self.parseStrong();
try paragraph.stmts.append(strong);
},
else => {
self.nextToken();
},
}
}
return .{ .paragraph = paragraph };
}
fn parseCode(self: *Parser) !AstNode {
var code = Code.init(self.allocator);
self.nextToken();
if (self.curTokenIs(.TK_STR)) {
var text = try self.allocator.create(AstNode);
text.* = try self.parseText();
code.value = text;
} else {
return error.CodeSyntaxError;
}
//skip `
self.nextToken();
return .{ .code = code };
}
fn parseCodeBlock(self: *Parser) !AstNode {
var codeblock = CodeBlock.init(self.allocator);
self.nextToken();
// std.debug.print(">>>>>>{s}{any}\n", .{ self.cur_token.literal, self.peek_token.ty });
if (self.curTokenIs(.TK_STR) and self.peek_token.ty == .TK_BR) {
codeblock.lang = self.cur_token.literal;
self.nextToken();
self.nextToken();
} else {
codeblock.lang = "";
}
var code_text = Text.init(self.allocator);
var code_ptr = try self.allocator.create(AstNode);
while (!self.curTokenIs(.TK_EOF) and !self.curTokenIs(.TK_CODEBLOCK)) {
try code_text.value.concat(self.cur_token.literal);
self.nextToken();
}
code_ptr.* = .{ .text = code_text };
codeblock.value = code_ptr;
//skip ```
if (self.curTokenIs(.TK_CODEBLOCK)) {
self.nextToken();
} else return error.CodeBlockSyntaxError;
return .{ .codeblock = codeblock };
}
fn parseLink(self: *Parser) !AstNode {
//skip `[`
self.nextToken();
// `!`
if (self.curTokenIs(.TK_BANG)) {
//
return self.parseIamgeLink();
}
self.context.link_id += 1;
var link = Link.init(self.allocator);
link.id = self.context.link_id;
if (self.curTokenIs(.TK_STR)) {
var d = try self.allocator.create(AstNode);
d.* = try self.parseText();
link.link_des = d;
} else {
return error.LinkSyntaxError;
}
//skip `]`
self.nextToken();
if (self.curTokenIs(.TK_LPAREN)) {
self.nextToken();
var h = try self.allocator.create(AstNode);
h.* = try self.parseText();
link.herf = h;
// "
if (self.curTokenIs(.TK_QUOTE)) {
self.nextToken();
var tip = try self.allocator.create(AstNode);
tip.* = try self.parseText();
link.link_tip = tip;
_ = self.expect(.TK_QUOTE, ParseError.FootNoteSyntaxError) catch |err| return err;
}
} else {
return error.LinkSyntaxError;
}
//skip `)`
self.nextToken();
const l = .{ .link = link };
try self.footnotes.append(l);
return l;
}
// [](https://github.com/Chanyon)
fn parseIamgeLink(self: *Parser) !AstNode {
//skip !
self.nextToken();
if (self.curTokenIs(.TK_LBRACE)) {
self.nextToken();
} else {
return error.ImageLinkSyntaxError;
}
var image_link = ImageLink.init(self.allocator);
if (self.curTokenIs(.TK_STR)) {
var alt = try self.allocator.create(AstNode);
alt.* = try self.parseText();
image_link.alt = alt;
} else {
return error.ImageLinkSyntaxError;
}
//skip ]
self.nextToken();
if (self.curTokenIs(.TK_LPAREN)) {
self.nextToken();
var src = try self.allocator.create(AstNode);
src.* = try self.parseText();
image_link.src = src;
} else {
return error.ImageLinkSyntaxError;
}
//skip )
self.nextToken();
//skip ]
self.nextToken();
if (self.curTokenIs(.TK_LPAREN)) {
self.nextToken();
var href = try self.allocator.create(AstNode);
href.* = try self.parseText();
image_link.herf = href;
} else return error.ImageLinkSyntaxError;
//skip )
self.nextToken();
return .{ .imagelink = image_link };
}
fn parseImages(self: *Parser) !AstNode {
//skip !
self.nextToken();
//skip `[`
if (self.curTokenIs(.TK_LBRACE)) {
self.nextToken();
} else {
return error.ImagesSyntaxError;
}
var image = Images.init(self.allocator);
if (self.curTokenIs(.TK_STR)) {
var d = try self.allocator.create(AstNode);
d.* = try self.parseText();
image.alt = d;
} else {
return error.ImagesSyntaxError;
}
//skip `]`
self.nextToken();
if (self.curTokenIs(.TK_LPAREN)) {
self.nextToken();
var src = try self.allocator.create(AstNode);
src.* = try self.parseText();
image.src = src;
//TODO parse title
} else {
return error.ImagesSyntaxError;
}
//skip `)`
self.nextToken();
return .{ .images = image };
}
fn parseOrderList(self: *Parser) !AstNode {
// - hello
// - hi
//- world
var unorder_list = UnorderList.init(self.allocator);
var space: u8 = 1;
var current_item: UnorderList.Item = undefined;
var current_item_type: UnorderList.ListType = self.context.list_type;
// skip `space`
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.peek_token.ty)) {
self.nextToken();
current_item = UnorderList.Item.init(self.allocator);
current_item.list_type = current_item_type;
current_item.space = space;
while (!self.curTokenIs(.TK_EOF) and (!self.curTokenIs(.TK_MINUS) and !self.curTokenIs(.TK_NUM_DOT)) and !self.peekOtherTokenIs(self.peek_token.ty)) {
switch (self.cur_token.ty) {
.TK_STR => {
try current_item.stmts.append(try self.parseText());
space = 1;
// std.debug.print(">>>>>>({s})-{any}\n", .{ self.cur_token.literal, self.peek_token.ty });
},
.TK_ASTERISKS => {
try current_item.stmts.append(try self.parseStrong());
},
.TK_STRIKETHROUGH => {
var s = try self.parseStrikethrough();
try current_item.stmts.append(s);
},
.TK_LBRACE => {
var link = try self.parseLink();
try current_item.stmts.append(link);
},
.TK_CODE => {
var code = try self.parseCode();
try current_item.stmts.append(code);
// std.debug.print(">>>>>>{s}{any}\n", .{ self.cur_token.literal, self.peek_token.ty });
},
.TK_SPACE => {
space += 1;
self.nextToken();
},
else => {
self.nextToken();
},
}
}
try unorder_list.stmts.append(current_item);
if (self.cur_token.ty == .TK_NUM_DOT) current_item_type = .order;
if (self.cur_token.ty == .TK_MINUS or self.peek_token.ty == .TK_MINUS) current_item_type = .unorder;
// std.debug.print("{s}/{}-##############\n", .{ self.cur_token.literal, self.cur_token.ty });
self.nextToken(); //skip - / 1.
}
return .{ .unorderlist = unorder_list };
}
fn parseTable(self: *Parser) !AstNode {
self.nextToken();
var tb = Table.init(self.allocator);
// | one | two | three |\n
// | :----------- | --------: | :-----: |
//thead and align style
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.cur_token.ty)) {
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
if (self.curTokenIs(.TK_STR)) {
const th = try self.parseParagraph();
try tb.thead.append(th);
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
if (!tb.cols_done and self.curTokenIs(.TK_VERTICAL)) {
// |\n |
if (self.peek_token.ty == .TK_BR) {
tb.cols_done = true;
tb.cols += 1;
self.nextToken();
self.nextToken();
} else {
tb.cols += 1;
}
}
// :--- :---:
if (self.curTokenIs(.TK_COLON) and self.peekOtherTokenIs(.TK_MINUS)) {
self.nextToken();
while (self.curTokenIs(.TK_MINUS)) {
self.nextToken();
}
if (self.curTokenIs(.TK_COLON)) {
try tb.align_style.append(.center);
self.nextToken();
} else {
try tb.align_style.append(.left);
}
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
// ---:
if (self.curTokenIs(.TK_MINUS)) {
while (self.curTokenIs(.TK_MINUS)) {
self.nextToken();
}
if (self.curTokenIs(.TK_COLON)) {
try tb.align_style.append(.right);
self.nextToken();
}
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
}
self.nextToken();
if (self.curTokenIs(.TK_BR)) {
self.nextToken();
break;
}
}
//tbody
// | Header one | Title two | will three |
// | Paragraph one | Text two | why three |
self.nextToken(); //skip `|`
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.cur_token.ty)) {
while (self.curTokenIs(.TK_SPACE)) {
self.nextToken();
}
//text p
const tbody = try self.parseParagraph();
try tb.tbody.append(tbody);
// std.debug.print(">>>>>>{any} {any}\n", .{ self.cur_token.ty, self.peek_token.ty });
self.nextToken();
if (self.curTokenIs(.TK_BR) and self.peek_token.ty == .TK_VERTICAL) {
self.nextToken();
self.nextToken();
} else self.nextToken();
}
return .{ .table = tb };
}
//<div>
// qqqq
//</div>
fn parseRawHtml(self: *Parser) !AstNode {
var rh = RawHtml.init(self.allocator);
try rh.str.concat("<");
self.nextToken();
if (self.curTokenIs(.TK_STR) and anyHtmlTag(self.cur_token.literal)) {
while (!self.curTokenIs(.TK_EOF) and !self.peekOtherTokenIs(self.peek_token.ty)) {
while (self.curTokenIs(.TK_BR)) {
self.nextToken();
}
try rh.str.concat(self.cur_token.literal);
self.nextToken();
}
}
return .{ .rawhtml = rh };
}
fn curTokenIs(self: *Parser, tok: TokenType) bool {
return tok == self.cur_token.ty;
}
fn peekOtherTokenIs(self: *Parser, tok: TokenType) bool {
_ = self;
const tokens = [_]TokenType{ .TK_MINUS, .TK_PLUS, .TK_VERTICAL, .TK_WELLNAME, .TK_NUM_DOT, .TK_CODEBLOCK };
for (tokens) |v| {
if (v == tok) {
return true;
}
}
return false;
}
const ParseError = error{FootNoteSyntaxError};
fn expect(self: *Parser, tok: TokenType, err: ParseError) !bool {
if (self.cur_token.ty == tok) {
self.nextToken();
return true;
} else return err;
}
fn anyHtmlTag(str: []const u8) bool {
const html_tag_list = [_][]const u8{ "div", "a", "p", "ul", "li", "ol", "dt", "dd", "span", "img", "table" };
for (html_tag_list) |value| {
if (std.mem.startsWith(u8, str, value)) {
return true;
}
}
return false;
}
test Parser {
var gpa = std.heap.ArenaAllocator.init(std.heap.page_allocator);
const allocator = gpa.allocator();
defer gpa.deinit();
const TestV = struct {
markdown: []const u8,
html: []const u8,
const tasks =
\\- [x] todo list
\\- [ ] list2
\\- [x] list3
\\
;
const unorderlist =
\\- hello
\\ - hi
\\ - qo
\\ - qp
\\ - dcy
\\ - cheng
\\ - qq
\\ - oi
\\- kkkk
\\- world
;
const orderlylist =
\\1. First item
\\2. Second item
\\ - hi
\\ - ho
\\3. Third item
\\4. Indented item
\\1. Indented item
\\2. Fourth item
;
const table =
\\| one | two | three|
\\| :--- | :---:| ---:|
\\| hi | wooo | hello |
\\
;
const rawhtml =
\\<div>
\\hello
\\
\\<a href="http://github.com" style="width:10px"></a>
\\
\\
\\</div>
;
};
const tests = [_]TestV{
//
.{ .markdown = "world\n", .html = "<p>world\n</p>" },
// .{ .markdown = "## hello", .html = "<h2>hello</h2>" },
.{ .markdown = "----", .html = "<hr/>" },
.{ .markdown = "**hi**", .html = "<p><strong>hi</strong></p>" },
.{ .markdown = "*hi*", .html = "<p><em>hi</em></p>" },
.{ .markdown = "***hi***", .html = "<p><strong><em>hi</em></strong></p>" },
.{ .markdown = "~~hi~~", .html = "<p><s>hi</s></p>" },
.{ .markdown = "~~hi~~---", .html = "<p><s>hi</s></p><hr/>" },
.{ .markdown = TestV.tasks, .html = "<section><div><input type=\"checkbox\" checked><p style=\"display:inline-block\"> todo list\n</p></input></div><div><input type=\"checkbox\"><p style=\"display:inline-block\"> list2\n</p></input></div><div><input type=\"checkbox\" checked><p style=\"display:inline-block\"> list3\n</p></input></div></section>" },
.{ .markdown = "- [ ] ***hello***", .html = "<section><div><input type=\"checkbox\"><p style=\"display:inline-block\"> <strong><em>hello</em></strong></p></input></div></section>" },
.{ .markdown = "[hi](https://github.com/)", .html = "<p><a href=\"https://github.com/\">hi</a><sup>[1]</sup></p>" },
.{ .markdown = "[hi](https://github.com/ \"Github\")", .html = "<p><a href=\"https://github.com/\">hi</a><sup>[1]</sup></p>" },
.{ .markdown = "\ntext page\\_allocator\n~~nihao~~[link](link)`code`", .html = "<p>text page_allocator\n<s>nihao</s><a href=\"#link\">link</a><sup>[1]</sup><code>code</code></p>" },
.{ .markdown = "`call{}`", .html = "<p><code>call{}</code></p>" },
.{ .markdown = "", .html = "<p><img src=\"/path/to/train.jpg\" alt=\"foo bar\" title=\"\"/></p>" },
.{ .markdown = "hi", .html = "<p>hi<img src=\"/path/to/train.jpg\" alt=\"foo bar\" title=\"\"/></p>" },
.{ .markdown = "```fn foo(a:number,b:string):bool{}\n foo(1,\"str\");```", .html = "<pre><code>fn foo(a:number,b:string):bool{}<br> foo(1,\"str\");</code></pre>" },
.{ .markdown = "```rust\n fn();```", .html = "<pre><code class=\"language-rust\"> fn();</code></pre>" },
.{ .markdown = "[](https://github.com/Chanyon)", .html = "<p><a herf=\"https://github.com/Chanyon\"><img src=\"/assets/img/ship.jpg\" alt=\"image\"/></a></p>" },
.{ .markdown = TestV.unorderlist, .html = "<ul><li>hello\n<ul><li>hi\n<ul><li>qo\n</li><li>qp\n<ul><li>dcy\n<ul><li>cheng\n</li><li>qq\n</li></ul></li></ul></li></ul></li><li>oi\n</li></ul></li><li>kkkk\n</li><li>world</li></ul>" },
.{ .markdown = TestV.orderlylist, .html = "<ol><li>First item\n</li><li>Second item\n<ul><li>hi\n</li><li>ho\n</li></ul></li><li>Third item\n</li><li>Indented item\n</li><li>Indented item\n</li><li>Fourth item</li></ol>" },
.{ .markdown = TestV.table, .html = "<table><thead><th style=\"text-align:left\"><p>one </p></th><th style=\"text-align:center\"><p>two </p></th><th style=\"text-align:right\"><p>three</p></th></thead><tbody><tr><td style=\"text-align:left\"><p>hi </p></td><td style=\"text-align:center\"><p>wooo </p></td><td style=\"text-align:right\"><p>hello </p></td></tr></tbody></table>" },
.{ .markdown = TestV.rawhtml, .html = "<div>hello<a href=\"http://github.com\" style=\"width:10px\"></a></div>" },
};
inline for (tests, 0..) |item, i| {
var lexer = Lexer.newLexer(item.markdown);
var p = Parser.init(&lexer, allocator);
// defer p.deinit();
var tree_nodes = p.parser() catch |err| switch (err) {
error.StrongError => {
std.debug.print("strong stmtment syntax error", .{});
return;
},
else => {
std.debug.print("syntax error: ({s})", .{@errorName(err)});
return;
},
};
defer tree_nodes.deinit();
if (tree_nodes.heading_titles.items.len > 0) {
var h = try tree_nodes.headingTitleString();
defer h.deinit();
std.debug.print("{s}\n", .{h.str()});
}
if (tree_nodes.footnotes.items.len > 0) {
var h = try tree_nodes.footnoteString();
defer h.deinit();
std.debug.print("{s}\n", .{h.str()});
}
var str = try tree_nodes.string();
defer str.deinit();
const s = str.str();
std.debug.print("---ipt:{s} out:{s} {any}\n", .{ item.markdown, s, i });
try std.testing.expect(std.mem.eql(u8, item.html, s));
}
}
const std = @import("std");
const Lexer = @import("lexer.zig").Lexer;
const token = @import("token.zig");
const Token = token.Token;
const TokenType = token.TokenType;
const ast = @import("ast.zig");
const Tree = ast.TreeNode;
const AstNode = ast.AstNode;
const Text = ast.Text;
const Heading = ast.Heading;
const BlankLine = ast.BlankLine;
const Strong = ast.Strong;
const Strikethrough = ast.Strikethrough;
const TaskList = ast.TaskList;
const Link = ast.Link;
const Paragrah = ast.Paragraph;
const Code = ast.Code;
const Images = ast.Images;
const CodeBlock = ast.CodeBlock;
const ImageLink = ast.ImageLink;
const UnorderList = ast.UnorderList;
const Table = ast.Table;
const RawHtml = ast.RawHtml;
const UUID = @import("uuid").UUID;
|
0 | repos/minimd-zig | repos/minimd-zig/src/lexer.zig | const std = @import("std");
const token = @import("token.zig");
const eql = std.mem.eql;
pub const Lexer = struct {
source: []const u8 = "",
ch: []const u8,
pos: usize = 0,
read_pos: usize = 0,
const Self = @This();
var escapecharTable = std.StringHashMap([]const u8).init(std.heap.page_allocator);
pub fn newLexer(input: []const u8) Lexer {
var lexer = Lexer{
.source = input,
.ch = "",
};
lexer.readChar();
{
escapecharTable.put("<", "<") catch unreachable;
escapecharTable.put(">", ">") catch unreachable;
escapecharTable.put("^", "∧") catch unreachable;
escapecharTable.put("*", "*") catch unreachable;
escapecharTable.put("|", "|") catch unreachable;
escapecharTable.put("[", "[") catch unreachable;
escapecharTable.put("]", "]") catch unreachable;
escapecharTable.put("_", "_") catch unreachable;
escapecharTable.put("-", "−") catch unreachable;
escapecharTable.put("~", "∼") catch unreachable;
escapecharTable.put("(", "(") catch unreachable;
escapecharTable.put(")", ")") catch unreachable;
escapecharTable.put("#", "#") catch unreachable;
escapecharTable.put("!", "!") catch unreachable;
escapecharTable.put("\"", "\"") catch unreachable;
}
return lexer;
}
pub fn nextToken(self: *Self) token.Token {
const ch = self.ch;
self.readChar();
if (eql(u8, ch, "+")) {
return token.newToken(.TK_PLUS, "+", null);
} else if (eql(u8, ch, "-")) {
return token.newToken(.TK_MINUS, "-", 1);
} else if (eql(u8, ch, "\n")) {
return token.newToken(.TK_BR, "<br>", null);
} else if (eql(u8, ch, "\r")) {
// if (eql(u8, self.peekChar(), "\n")) {
// self.readChar();
// return token.newToken(.TK_BR, "<br>", null);
// }
return token.newToken(.TK_BR, "<br>", null);
} else if (eql(u8, ch, "*")) {
return token.newToken(.TK_ASTERISKS, "*", 1);
} else if (eql(u8, ch, "|")) {
return token.newToken(.TK_VERTICAL, "|", null);
} else if (eql(u8, ch, "_")) {
return token.newToken(.TK_UNDERLINE, "_", 1);
} else if (eql(u8, ch, "#")) {
return token.newToken(.TK_WELLNAME, "#", 1);
} else if (eql(u8, ch, " ")) {
return token.newToken(.TK_SPACE, " ", null);
} else if (eql(u8, ch, "[")) {
return token.newToken(.TK_LBRACE, "[", null);
} else if (eql(u8, ch, "]")) {
return token.newToken(.TK_RBRACE, "]", null);
} else if (eql(u8, ch, "(")) {
return token.newToken(.TK_LPAREN, "(", null);
} else if (eql(u8, ch, ")")) {
return token.newToken(.TK_RPAREN, ")", null);
} else if (eql(u8, ch, "`")) {
if (eql(u8, self.peekChar(), "`")) {
self.readChar();
if (eql(u8, self.peekChar(), "`")) {
self.readChar();
return token.newToken(.TK_CODEBLOCK, "```", 3);
}
return token.newToken(.TK_CODELINE, "``", 2);
}
return token.newToken(.TK_CODE, "`", 1);
} else if (eql(u8, ch, ">")) {
return token.newToken(.TK_GT, ">", 1);
} else if (eql(u8, ch, "<")) {
return token.newToken(.TK_LT, "<", 1);
} else if (eql(u8, ch, "!")) {
return token.newToken(.TK_BANG, "!", null);
} else if (eql(u8, ch, "~")) {
return token.newToken(.TK_STRIKETHROUGH, "~", 1);
} else if (eql(u8, ch, ":")) {
return token.newToken(.TK_COLON, ":", null);
} else if (eql(u8, ch, "^")) {
return token.newToken(.TK_INSERT, "^", null);
} else if (eql(u8, ch, "\"")) {
return token.newToken(.TK_QUOTE, "\"", null);
} else if (self.isdigit(ch)) {
return self.number();
} else if (eql(u8, ch, "\\")) {
const c = self.peekChar();
if (escapeCharacter(c)) {
self.readChar();
return token.newToken(.TK_STR, escapecharTable.get(c).?, null);
}
return token.newToken(.TK_BACKSLASH, "\\", null);
} else {
if (eql(u8, ch, "")) {
return token.newToken(.TK_EOF, "", null);
} else {
return self.string();
}
}
}
fn readChar(self: *Self) void {
self.pos = self.read_pos;
self.ch = if (self.read_pos >= self.source.len) "" else blk: {
const ch = self.source[self.read_pos .. self.read_pos + 1];
self.read_pos = self.read_pos + 1;
break :blk ch;
};
}
fn peekChar(self: *Self) []const u8 {
if (self.read_pos > self.source.len) {
return "";
} else {
return self.source[self.read_pos - 1 .. self.read_pos];
}
}
fn string(self: *Lexer) token.Token {
const pos = self.pos;
var str: []const u8 = undefined;
// abcdefgh\n;
while (!keyWord(self.ch) and !self.isEnd()) {
self.readChar();
}
if (keyWord(self.ch)) {
str = self.source[pos - 1 .. self.read_pos - 1];
return token.newToken(.TK_STR, str, null);
}
str = self.source[pos - 1 .. self.read_pos];
return token.newToken(.TK_STR, str, null);
}
fn number(self: *Lexer) token.Token {
const pos = self.pos;
var num: []const u8 = undefined;
while (self.isdigit(self.ch)) {
self.readChar();
}
if (eql(u8, self.ch, ".")) {
self.readChar();
var is_num: bool = false;
while (self.isdigit(self.ch)) {
is_num = true;
self.readChar();
}
num = self.source[pos - 1 .. self.read_pos - 1];
if (is_num) {
return token.newToken(.TK_NUM, num, null);
}
return token.newToken(.TK_NUM_DOT, num, null);
}
num = self.source[pos - 1 .. self.read_pos - 1];
return token.newToken(.TK_NUM, num, null);
}
fn isdigit(self: *Lexer, ch: []const u8) bool {
_ = self;
const nums = [_][]const u8{ "0", "1", "2", "3", "4", "5", "6", "7", "8", "9" };
for (nums) |num| {
if (eql(u8, ch, num)) {
return true;
}
}
return false;
}
fn keyWord(ch: []const u8) bool {
const keys = [_][]const u8{ "\n", "\\", "*", "]", ")", ">", "~", "`", "_", "|", "[", "<", "!", "\"" };
for (keys) |key| {
if (eql(u8, ch, key)) {
return true;
}
}
return false;
}
fn escapeCharacter(ch: []const u8) bool {
const keys = [_][]const u8{ "*", "_", "[", "]", "(", ")", "#", "-", "!", "|", "<", ">", "^", "~", "!", "\"" };
for (keys) |key| {
if (eql(u8, ch, key)) {
return true;
}
}
return false;
}
fn isEnd(self: *Self) bool {
return eql(u8, self.ch, "");
}
};
test "lexer \"\" " {
var lexer = Lexer.newLexer("");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, ""));
try std.testing.expect(tk.ty == .TK_EOF);
}
test "lexer \" \" " {
var lexer = Lexer.newLexer(" ");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, " "));
try std.testing.expect(tk.ty == .TK_SPACE);
}
test "lexer +" {
var lexer = Lexer.newLexer("+");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "+"));
try std.testing.expect(tk.ty == .TK_PLUS);
}
test "lexer -" {
var lexer = Lexer.newLexer("-");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "-"));
try std.testing.expect(tk.ty == .TK_MINUS);
}
test "lexer *" {
var lexer = Lexer.newLexer("*");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "*"));
try std.testing.expect(tk.ty == .TK_ASTERISKS);
}
test "lexer \n" {
var lexer = Lexer.newLexer("\n");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "<br>"));
try std.testing.expect(tk.ty == .TK_BR);
}
// test "lexer \r\n" {
// var lexer = Lexer.newLexer("\r\n");
// const tk = lexer.nextToken();
// try std.testing.expect(eql(u8, tk.literal, "<br>"));
// try std.testing.expect(tk.ty == .TK_BR);
// }
test "lexer |" {
var lexer = Lexer.newLexer("|");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "|"));
try std.testing.expect(tk.ty == .TK_VERTICAL);
}
test "lexer ` `" {
var lexer = Lexer.newLexer(" ");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, " "));
try std.testing.expect(tk.ty == .TK_SPACE);
}
test "lexer _" {
var lexer = Lexer.newLexer("_ ");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "_"));
try std.testing.expect(tk.ty == .TK_UNDERLINE);
}
test "lexer #" {
var lexer = Lexer.newLexer("#$");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "#"));
try std.testing.expect(tk.ty == .TK_WELLNAME);
}
test "lexer `" {
var lexer = Lexer.newLexer("`\n");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "`"));
try std.testing.expect(tk.ty == .TK_CODE);
}
test "lexer ``" {
var lexer = Lexer.newLexer("``\n");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "``"));
try std.testing.expect(tk.ty == .TK_CODELINE);
}
test "lexer ```" {
var lexer = Lexer.newLexer("```");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "```"));
try std.testing.expect(tk.ty == .TK_CODEBLOCK);
}
test "lexer [" {
var lexer = Lexer.newLexer("[");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "["));
try std.testing.expect(tk.ty == .TK_LBRACE);
}
test "lexer ]" {
var lexer = Lexer.newLexer("]");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "]"));
try std.testing.expect(tk.ty == .TK_RBRACE);
}
test "lexer (" {
var lexer = Lexer.newLexer("(");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "("));
try std.testing.expect(tk.ty == .TK_LPAREN);
}
test "lexer )" {
var lexer = Lexer.newLexer(")123443");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, ")"));
try std.testing.expect(tk.ty == .TK_RPAREN);
}
test "lexer >" {
var lexer = Lexer.newLexer("> 123443");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, ">"));
try std.testing.expect(tk.ty == .TK_GT);
}
test "lexer <" {
var lexer = Lexer.newLexer("< 123443");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "<"));
try std.testing.expect(tk.ty == .TK_LT);
}
test "lexer !" {
var lexer = Lexer.newLexer("!test");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "!"));
try std.testing.expect(tk.ty == .TK_BANG);
}
test "lexer ~" {
var lexer = Lexer.newLexer("~~~~");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "~"));
try std.testing.expect(tk.ty == .TK_STRIKETHROUGH);
}
test "lexer string" {
var lexer = Lexer.newLexer("qwer");
const tk = lexer.nextToken();
// std.debug.print("{s}\n", .{tk.literal});
try std.testing.expect(eql(u8, tk.literal, "qwer"));
try std.testing.expect(tk.ty == .TK_STR);
}
test "lexer string2" {
var lexer = Lexer.newLexer("qwer\n");
const tk = lexer.nextToken();
// std.debug.print("{s}\n", .{tk.literal});
try std.testing.expect(eql(u8, tk.literal, "qwer"));
try std.testing.expect(tk.ty == .TK_STR);
}
test "lexer # Heading" {
var lexer = Lexer.newLexer("# Heading\n");
var tk = lexer.nextToken();
// std.debug.print("{s}\n", .{tk.literal});
try std.testing.expect(eql(u8, tk.literal, "#"));
tk = lexer.nextToken();
// std.debug.print("space `{s}`\n", .{tk.literal});
try std.testing.expect(eql(u8, tk.literal, " "));
tk = lexer.nextToken();
// std.debug.print("`{s}`\n", .{tk.literal});
try std.testing.expect(eql(u8, tk.literal, "Heading"));
tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "<br>"));
}
test "lexer :" {
var lexer = Lexer.newLexer(":---");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, ":"));
try std.testing.expect(tk.ty == .TK_COLON);
}
test "lexer ^" {
var lexer = Lexer.newLexer("^^");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "^"));
try std.testing.expect(tk.ty == .TK_INSERT);
}
test "lexer 1." {
var lexer = Lexer.newLexer("111. ddd\n2. cccc\n");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "111."));
try std.testing.expect(tk.ty == .TK_NUM_DOT);
}
test "lexer number" {
var lexer = Lexer.newLexer("111string");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "111"));
try std.testing.expect(tk.ty == .TK_NUM);
}
test "lexer number2" {
var lexer = Lexer.newLexer("111.2223string");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "111.2223"));
try std.testing.expect(tk.ty == .TK_NUM);
}
test "lexer \\" {
var lexer = Lexer.newLexer("\\_");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "_"));
try std.testing.expect(tk.ty == .TK_STR);
}
test "lexer \\ 2" {
var lexer = Lexer.newLexer("\\");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "\\"));
try std.testing.expect(tk.ty == .TK_BACKSLASH);
}
test "lexer quote" {
var lexer = Lexer.newLexer("\"");
const tk = lexer.nextToken();
try std.testing.expect(eql(u8, tk.literal, "\""));
try std.testing.expect(tk.ty == .TK_QUOTE);
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/iter.zig | const std = @import("std");
pub fn iterateLines(s: []const u8) LineIterator {
return .{
.index = 0,
.s = s,
};
}
const LineIterator = struct {
s: []const u8,
index: usize,
pub fn next(self: *LineIterator) ?[]const u8 {
const start = self.index;
if (start >= self.s.len) {
return null;
}
self.index += 1;
while (self.index < self.s.len and self.s[self.index] != '\n') {
self.index += 1;
}
const end = self.index;
if (start == 0) {
return self.s[start..end];
} else {
return self.s[start + 1 .. end];
}
}
};
test "iter" {
var it = iterateLines("1\n23");
const r1 = it.next().?;
var it2 = iterateLines("123");
const r2 = it2.next().?;
try std.testing.expect(std.mem.eql(u8, r1, "1"));
try std.testing.expect(std.mem.eql(u8, r2, "123"));
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/ast.zig | const std = @import("std");
const String = @import("string").String;
const ArrayList = std.ArrayList;
const mem = std.mem;
const UUID = @import("uuid").UUID;
const asttype = enum {
//zig fmt off
text,
heading,
blank_line,
strong,
strikethrough,
task_list,
link,
paragraph,
code,
codeblock,
images,
imagelink,
unorderlist,
table,
rawhtml,
};
pub const AstNode = union(asttype) {
text: Text,
heading: Heading,
blank_line: BlankLine,
strong: Strong,
strikethrough: Strikethrough,
task_list: TaskList,
link: Link,
paragraph: Paragraph,
code: Code,
images: Images,
codeblock: CodeBlock,
imagelink: ImageLink,
unorderlist: UnorderList,
table: Table,
rawhtml: RawHtml,
pub fn string(self: *@This()) []const u8 {
return switch (self.*) {
inline else => |*s| s.string(),
};
}
pub fn deinit(self: *@This()) void {
switch (self.*) {
inline else => |*d| d.deinit(),
}
}
};
// Markdown
pub const TreeNode = struct {
allocator: std.mem.Allocator,
stmts: ArrayList(AstNode),
heading_titles: ArrayList(AstNode),
footnotes: ArrayList(AstNode),
const Self = @This();
pub fn init(al: std.mem.Allocator) TreeNode {
const list = ArrayList(AstNode).init(al);
return TreeNode{
.stmts = list,
.allocator = al,
.heading_titles = ArrayList(AstNode).init(al),
.footnotes = ArrayList(AstNode).init(al),
};
}
pub fn string(self: *Self) !String {
var str = String.init(self.allocator);
for (self.stmts.items) |*node| {
try str.concat(node.string());
}
return str;
}
pub fn headingTitleString(self: *Self) !String {
var str = String.init(self.allocator);
try str.concat("<ul>");
for (self.heading_titles.items) |*node| {
try str.concat("<li>");
const fmt = try std.fmt.allocPrint(self.allocator, "<a herf=\"#target-{}\">", .{node.heading.uuid});
try str.concat(fmt);
try str.concat(node.heading.value.string());
try str.concat("</a>");
try str.concat("</li>");
}
try str.concat("</ul>");
return str;
}
pub fn footnoteString(self: *Self) !String {
var str = String.init(self.allocator);
if (self.footnotes.items.len > 0) {
try str.concat("<div>");
for (self.footnotes.items) |*f| {
try str.concat("<p>");
try str.concat("<span>[");
const id_fmt = try std.fmt.allocPrint(self.allocator, "{}", .{f.link.id});
try str.concat(id_fmt);
try str.concat("]</span>: ");
if (f.link.link_tip) |tip| {
try str.concat(tip.string());
try str.concat(":");
}
try str.concat(f.link.herf.string());
try str.concat("</p>");
}
try str.concat("</div>");
}
return str;
}
pub fn addNode(self: *Self, node: AstNode) !void {
try self.stmts.append(node);
}
pub fn deinit(self: *Self) void {
for (self.stmts.items) |*ast| {
ast.deinit();
}
self.stmts.deinit();
for (self.heading_titles.items) |*ht| {
ht.deinit();
}
self.heading_titles.deinit();
for (self.footnotes.items) |*f| {
f.deinit();
}
self.footnotes.deinit();
}
};
pub const Text = struct {
value: String,
const Self = @This();
pub fn init(allocator: std.mem.Allocator) Text {
return .{ .value = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
return self.value.str();
}
pub fn deinit(self: *Self) void {
self.value.deinit();
}
};
pub const Heading = struct {
level: u8,
value: *AstNode = undefined,
str: String,
uuid: UUID = undefined,
const Self = @This();
pub fn init(allocator: std.mem.Allocator) Heading {
return .{ .level = 0, .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
if (self.level > 6) {
self.str.concat("<h6>") catch return "";
} else {
const fmt = std.fmt.allocPrint(std.heap.page_allocator, "<h{} id=\"target-{}\">", .{ self.level, self.uuid }) catch return "";
defer std.heap.page_allocator.free(fmt);
self.str.concat(fmt) catch return "";
}
self.str.concat(self.value.string()) catch return "";
switch (self.level) {
1 => self.str.concat("</h1>") catch return "",
2 => self.str.concat("</h2>") catch return "",
3 => self.str.concat("</h3>") catch return "",
4 => self.str.concat("</h4>") catch return "",
5 => self.str.concat("</h5>") catch return "",
6 => self.str.concat("</h6>") catch return "",
else => self.str.concat("</h6>") catch return "",
}
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.value.deinit();
self.str.deinit();
}
};
pub const BlankLine = struct {
level: u8,
ty: asttype = .blank_line,
value: ?*AstNode = null,
const Self = @This();
pub fn init() BlankLine {
return .{ .level = 0 };
}
pub fn string(_: *Self) []const u8 {
return "<hr/>";
}
pub fn deinit(_: *Self) void {}
};
pub const Strong = struct {
level: u8 = 0,
value: *AstNode = undefined,
str: String,
pub fn init(allocator: std.mem.Allocator) Strong {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Strong) []const u8 {
switch (self.level) {
1 => self.str.concat("<em>") catch return "",
2 => self.str.concat("<strong>") catch return "",
3 => self.str.concat("<strong><em>") catch return "",
else => self.str.concat("<strong><em>") catch return "",
}
self.str.concat(self.value.string()) catch return "";
switch (self.level) {
1 => self.str.concat("</em>") catch return "",
2 => self.str.concat("</strong>") catch return "",
3 => self.str.concat("</em></strong>") catch return "",
else => self.str.concat("</em></strong>") catch return "",
}
return self.str.str();
}
pub fn deinit(self: *Strong) void {
self.value.deinit();
self.str.deinit();
}
};
pub const Strikethrough = struct {
value: *AstNode = undefined,
str: String,
const Self = @This();
pub fn init(allocator: std.mem.Allocator) Strikethrough {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<s>") catch return "";
self.str.concat(self.value.string()) catch return "";
self.str.concat("</s>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.value.deinit();
self.str.deinit();
}
};
pub const TaskList = struct {
tasks: ArrayList(List),
str: String,
pub const List = struct {
task_is_done: bool,
des: *TaskDesc = undefined, //任务描述
pub const TaskDesc = struct {
stmts: ArrayList(AstNode),
str: String,
pub fn init(allocator: mem.Allocator) TaskDesc {
return .{ .stmts = ArrayList(AstNode).init(allocator), .str = String.init(allocator) };
}
pub fn string(self: *TaskDesc) []const u8 {
self.str.concat("<p style=\"display:inline-block\"> ") catch return "";
for (self.stmts.items) |*node| {
self.str.concat(node.string()) catch return "";
}
self.str.concat("</p>") catch return "";
return self.str.str();
}
pub fn deinit(self: *TaskDesc) void {
for (self.stmts.items) |*node| {
node.deinit();
}
self.stmts.deinit();
self.str.deinit();
}
};
pub fn init() List {
return .{ .task_is_done = false };
}
pub fn string(list: *List) []const u8 {
return list.des.string();
}
pub fn deinit(list: *List) void {
list.des.deinit();
}
};
const Self = @This();
pub fn init(allocator: mem.Allocator) TaskList {
return .{ .tasks = ArrayList(List).init(allocator), .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<section>") catch return "";
for (self.tasks.items) |*task| {
self.str.concat("<div>") catch return "";
if (task.task_is_done) {
self.str.concat("<input type=\"checkbox\" checked>") catch return "";
} else {
self.str.concat("<input type=\"checkbox\">") catch return "";
}
self.str.concat(task.string()) catch return "";
self.str.concat("</input>") catch return "";
self.str.concat("</div>") catch return "";
}
self.str.concat("</section>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
for (self.tasks.items) |*list| {
list.deinit();
}
self.str.deinit();
}
};
pub const Link = struct {
herf: *AstNode = undefined, //text
link_des: *AstNode = undefined,
link_tip: ?*AstNode = null,
id: u8 = 0,
str: String,
const Self = @This();
pub fn init(allocator: mem.Allocator) Link {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<a href=\"") catch return "";
const href = std.mem.trimRight(u8, self.herf.string(), " ");
if (std.mem.startsWith(u8, href, "http")) {
self.str.concat(href) catch return "";
} else {
self.str.concat("#") catch return "";
self.str.concat(href) catch return "";
}
self.str.concat("\">") catch return "";
self.str.concat(self.link_des.string()) catch return "";
self.str.concat("</a>") catch return "";
self.str.concat("<sup>") catch return "";
self.str.concat("[") catch return "";
const id_fmt = std.fmt.allocPrint(std.heap.page_allocator, "{}", .{self.id}) catch return "";
defer std.heap.page_allocator.free(id_fmt);
self.str.concat(id_fmt) catch return "";
self.str.concat("]</sup>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.herf.deinit();
self.link_des.deinit();
self.str.deinit();
}
};
// [](https://github.com/Chanyon)
// <a href="https://github.com/Chanyon"><img src="/assets/img/ship.jpg" alt="image"></a>"
pub const ImageLink = struct {
herf: *AstNode = undefined, //a href
src: *AstNode = undefined, // img src
alt: *AstNode = undefined,
str: String,
const Self = @This();
pub fn init(allocator: mem.Allocator) ImageLink {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<a herf=\"") catch return "";
self.str.concat(self.herf.string()) catch return "";
self.str.concat("\"><img src=\"") catch return "";
//<img src=""/>
self.str.concat(self.src.string()) catch return "";
self.str.concat("\" alt=\"") catch return "";
self.str.concat(self.alt.string()) catch return "";
self.str.concat("\"/></a>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.herf.deinit();
self.src.deinit();
self.alt.deinit();
self.str.deinit();
}
};
pub const Paragraph = struct {
stmts: ArrayList(AstNode),
str: String,
const Self = @This();
pub fn init(allocator: mem.Allocator) Paragraph {
return .{ .stmts = ArrayList(AstNode).init(allocator), .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<p>") catch return "";
for (self.stmts.items) |*node| {
self.str.concat(node.string()) catch return "";
}
self.str.concat("</p>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
for (self.stmts.items) |*node| {
node.deinit();
}
self.stmts.deinit();
self.str.deinit();
}
};
pub const Code = struct {
value: *AstNode = undefined,
str: String,
const Self = @This();
pub fn init(allocator: std.mem.Allocator) Code {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<code>") catch return "";
self.str.concat(self.value.string()) catch return "";
self.str.concat("</code>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.value.deinit();
self.str.deinit();
}
};
pub const CodeBlock = struct {
value: *AstNode = undefined,
str: String,
lang: []const u8 = "",
allocator: mem.Allocator,
const Self = @This();
pub fn init(allocator: std.mem.Allocator) CodeBlock {
return .{ .str = String.init(allocator), .allocator = allocator };
}
pub fn string(self: *Self) []const u8 {
if (self.lang.len > 0) {
const fmt_text = std.fmt.allocPrint(self.allocator, "<pre><code class=\"language-{s}\">", .{self.lang}) catch return "";
self.str.concat(fmt_text) catch return "";
} else {
self.str.concat("<pre><code>") catch return "";
}
self.str.concat(self.value.string()) catch return "";
self.str.concat("</code></pre>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.value.deinit();
self.str.deinit();
}
};
pub const Images = struct {
src: *AstNode = undefined, //text
alt: *AstNode = undefined,
str: String,
title: []const u8 = "",
const Self = @This();
pub fn init(allocator: mem.Allocator) Images {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<img src=\"") catch return "";
self.str.concat(self.src.string()) catch return "";
self.str.concat("\" alt=\"") catch return "";
self.str.concat(self.alt.string()) catch return "";
self.str.concat("\" title=\"") catch return "";
self.str.concat(self.title) catch return "";
self.str.concat("\"/>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.src.deinit();
self.alt.deinit();
self.str.deinit();
}
};
pub const UnorderList = struct {
pub const ListType = enum {
order,
unorder,
};
pub const Item = struct {
space: u8 = 1,
list_type: ListType = .unorder,
stmts: ArrayList(AstNode),
str: String,
pub fn init(allocator: mem.Allocator) Item {
return .{
.stmts = ArrayList(AstNode).init(allocator),
.str = String.init(allocator),
};
}
pub fn string(self: *Item) []const u8 {
for (self.stmts.items) |*item| {
self.str.concat(item.string()) catch return "";
}
return self.str.str();
}
pub fn deinit(self: *Item) void {
for (self.stmts.items) |*node| {
node.deinit();
}
self.stmts.deinit();
self.str.deinit();
}
};
stmts: ArrayList(Item),
str: String,
allocator: mem.Allocator,
const Self = @This();
pub fn init(allocator: mem.Allocator) Self {
return .{
.stmts = ArrayList(Item).init(allocator),
.str = String.init(allocator),
.allocator = allocator,
};
}
pub fn string(self: *Self) []const u8 {
var unorderlist = reworkUnorderStruct(std.heap.page_allocator, self.stmts) catch return "";
defer unorderlist.deinit();
const list_len = unorderlist.root.items.len;
if (list_len > 0) {
const first_type = unorderlist.root.items[0].value.list_type;
if (first_type == .unorder) {
self.str.concat("<ul>") catch return "";
} else {
self.str.concat("<ol>") catch return "";
}
for (unorderlist.root.items) |item| {
self.render0(item) catch return "";
}
if (first_type == .unorder) {
self.str.concat("</ul>") catch return "";
} else {
self.str.concat("</ol>") catch return "";
}
}
return self.str.str();
}
fn reworkUnorderStruct(page: mem.Allocator, stmts: ArrayList(Item)) !UnorderListNode {
var list = UnorderListNode.init(page);
const first = stmts.items[0];
var parent_node: *Node = try page.create(Node);
parent_node.*.value = first;
parent_node.*.parent = null;
parent_node.*.childrens = null;
try list.root.append(parent_node);
//- a
// - b
// - c
// - d
//- e
const first_space = first.space;
var idx: usize = 1;
const len = stmts.items.len;
var node: *Node = undefined;
while (idx < len) : (idx += 1) {
const current_space = stmts.items[idx].space;
const prev_space = stmts.items[idx - 1].space;
var temp_node: ?*Node = null;
node = try page.create(Node);
node.*.childrens = ArrayList(*Node).init(page);
node.*.parent = parent_node;
if (current_space > prev_space) {
node.*.value = stmts.items[idx];
if (parent_node.childrens) |*children| {
try children.append(node);
} else {
parent_node.*.childrens = ArrayList(*Node).init(page);
try parent_node.*.childrens.?.append(node);
}
}
// - a
// - b
// - c
// - d
if (current_space < prev_space and current_space != first_space) {
temp_node = parent_node.parent;
while (temp_node) |n| : (temp_node = temp_node.?.parent) {
if (current_space > n.value.space) {
node.*.value = stmts.items[idx];
try n.childrens.?.append(node);
break;
}
}
}
if (current_space == prev_space and current_space != first_space) {
temp_node = parent_node.parent;
while (temp_node) |n| : (temp_node = temp_node.?.parent) {
if (current_space > n.value.space) {
node.*.value = stmts.items[idx];
try n.childrens.?.append(node);
break;
}
}
}
if (current_space == first_space) {
node.*.value = stmts.items[idx];
try list.root.append(node);
}
parent_node = node;
}
return list;
}
fn render0(self: *Self, child: *Node) !void {
try self.str.concat("<li>");
try self.str.concat(child.value.string());
if (child.childrens) |c| {
if (c.items.len > 0) {
const child_first_type = c.items[0].value.list_type;
if (child_first_type == .unorder) {
try self.str.concat("<ul>");
} else {
try self.str.concat("<ol>");
}
for (c.items) |it| {
try self.render0(it);
}
if (child_first_type == .unorder) {
try self.str.concat("</ul>");
} else {
try self.str.concat("</ol>");
}
}
}
try self.str.concat("</li>");
}
fn deinit(self: *Self) void {
for (self.stmts.items) |*item| {
item.deinit();
}
self.stmts.deinit();
self.str.deinit();
}
};
pub const Table = struct {
cols: u8 = 0,
cols_done: bool = false,
align_style: ArrayList(Align),
thead: ArrayList(AstNode),
tbody: ArrayList(AstNode),
str: String,
pub const Align = enum {
//
left,
center,
right,
};
const Self = @This();
pub fn init(allocator: mem.Allocator) Self {
return .{
.align_style = ArrayList(Align).init(allocator),
.thead = ArrayList(AstNode).init(allocator),
.tbody = ArrayList(AstNode).init(allocator),
.str = String.init(allocator),
};
}
pub fn string(self: *Self) []const u8 {
self.str.concat("<table>") catch return "";
self.str.concat("<thead>") catch return "";
const alen = self.align_style.items.len;
const thlen = self.thead.items.len;
for (self.thead.items, 0..) |*head, i| {
if (alen == 0) {
self.str.concat("<th style=\"text-align:left\">") catch return "";
} else {
std.debug.assert(alen == thlen);
switch (self.align_style.items[i]) {
.left => {
self.str.concat("<th style=\"text-align:left\">") catch return "";
},
.center => {
self.str.concat("<th style=\"text-align:center\">") catch return "";
},
.right => {
self.str.concat("<th style=\"text-align:right\">") catch return "";
},
}
}
self.str.concat(head.string()) catch return "";
self.str.concat("</th>") catch return "";
}
self.str.concat("</thead>") catch return "";
self.str.concat("<tbody>") catch return "";
var idx: usize = 0;
const tblen = self.tbody.items.len;
while (idx < tblen) : (idx += self.cols) {
self.str.concat("<tr>") catch return "";
var k: usize = idx;
while (k < idx + self.cols) : (k += 1) {
if (alen == 0) {
self.str.concat("<td style=\"text-align:left\">") catch return "";
} else {
std.debug.assert(alen == thlen);
switch (self.align_style.items[@mod(k, alen)]) {
.left => {
self.str.concat("<td style=\"text-align:left\">") catch return "";
},
.center => {
self.str.concat("<td style=\"text-align:center\">") catch return "";
},
.right => {
self.str.concat("<td style=\"text-align:right\">") catch return "";
},
}
}
self.str.concat(self.tbody.items[k].string()) catch return "";
self.str.concat("</td>") catch return "";
}
self.str.concat("</tr>") catch return "";
}
self.str.concat("</tbody>") catch return "";
self.str.concat("</table>") catch return "";
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.align_style.deinit();
self.thead.deinit();
self.tbody.deinit();
self.str.deinit();
}
};
pub const RawHtml = struct {
str: String,
const Self = @This();
pub fn init(allocator: mem.Allocator) Self {
return .{ .str = String.init(allocator) };
}
pub fn string(self: *Self) []const u8 {
return self.str.str();
}
pub fn deinit(self: *Self) void {
self.str.deinit();
}
};
const utils = @import("./utils.zig");
const UnorderListNode = utils.UnorderListNode;
const Node = utils.Node;
// todo parse2
// renane UnorderList struct
test TreeNode {
var tree = TreeNode.init(std.testing.allocator);
defer tree.deinit();
var text = Text.init(std.testing.allocator);
try text.value.concat("hello!你好");
var text_node = AstNode{ .text = text };
try tree.addNode(text_node);
var heading = Heading.init(std.testing.allocator);
var text_2 = Text.init(std.testing.allocator);
try text_2.value.concat("world!");
var text_node_2 = AstNode{ .text = text_2 };
heading.value = &text_node_2;
var head_node = AstNode{ .heading = heading };
try tree.addNode(head_node);
var str = try tree.string();
defer str.deinit();
// std.debug.print("{s}\n", .{str.str()});
}
|
0 | repos/minimd-zig | repos/minimd-zig/src/github_markdown.css | @font-face {
font-family: octicons-link;
src: url(data:font/woff;charset=utf-8;base64,d09GRgABAAAAAAZwABAAAAAACFQAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABEU0lHAAAGaAAAAAgAAAAIAAAAAUdTVUIAAAZcAAAACgAAAAoAAQAAT1MvMgAAAyQAAABJAAAAYFYEU3RjbWFwAAADcAAAAEUAAACAAJThvmN2dCAAAATkAAAABAAAAAQAAAAAZnBnbQAAA7gAAACyAAABCUM+8IhnYXNwAAAGTAAAABAAAAAQABoAI2dseWYAAAFsAAABPAAAAZwcEq9taGVhZAAAAsgAAAA0AAAANgh4a91oaGVhAAADCAAAABoAAAAkCA8DRGhtdHgAAAL8AAAADAAAAAwGAACfbG9jYQAAAsAAAAAIAAAACABiATBtYXhwAAACqAAAABgAAAAgAA8ASm5hbWUAAAToAAABQgAAAlXu73sOcG9zdAAABiwAAAAeAAAAME3QpOBwcmVwAAAEbAAAAHYAAAB/aFGpk3jaTY6xa8JAGMW/O62BDi0tJLYQincXEypYIiGJjSgHniQ6umTsUEyLm5BV6NDBP8Tpts6F0v+k/0an2i+itHDw3v2+9+DBKTzsJNnWJNTgHEy4BgG3EMI9DCEDOGEXzDADU5hBKMIgNPZqoD3SilVaXZCER3/I7AtxEJLtzzuZfI+VVkprxTlXShWKb3TBecG11rwoNlmmn1P2WYcJczl32etSpKnziC7lQyWe1smVPy/Lt7Kc+0vWY/gAgIIEqAN9we0pwKXreiMasxvabDQMM4riO+qxM2ogwDGOZTXxwxDiycQIcoYFBLj5K3EIaSctAq2kTYiw+ymhce7vwM9jSqO8JyVd5RH9gyTt2+J/yUmYlIR0s04n6+7Vm1ozezUeLEaUjhaDSuXHwVRgvLJn1tQ7xiuVv/ocTRF42mNgZGBgYGbwZOBiAAFGJBIMAAizAFoAAABiAGIAznjaY2BkYGAA4in8zwXi+W2+MjCzMIDApSwvXzC97Z4Ig8N/BxYGZgcgl52BCSQKAA3jCV8CAABfAAAAAAQAAEB42mNgZGBg4f3vACQZQABIMjKgAmYAKEgBXgAAeNpjYGY6wTiBgZWBg2kmUxoDA4MPhGZMYzBi1AHygVLYQUCaawqDA4PChxhmh/8ODDEsvAwHgMKMIDnGL0x7gJQCAwMAJd4MFwAAAHjaY2BgYGaA4DAGRgYQkAHyGMF8NgYrIM3JIAGVYYDT+AEjAwuDFpBmA9KMDEwMCh9i/v8H8sH0/4dQc1iAmAkALaUKLgAAAHjaTY9LDsIgEIbtgqHUPpDi3gPoBVyRTmTddOmqTXThEXqrob2gQ1FjwpDvfwCBdmdXC5AVKFu3e5MfNFJ29KTQT48Ob9/lqYwOGZxeUelN2U2R6+cArgtCJpauW7UQBqnFkUsjAY/kOU1cP+DAgvxwn1chZDwUbd6CFimGXwzwF6tPbFIcjEl+vvmM/byA48e6tWrKArm4ZJlCbdsrxksL1AwWn/yBSJKpYbq8AXaaTb8AAHja28jAwOC00ZrBeQNDQOWO//sdBBgYGRiYWYAEELEwMTE4uzo5Zzo5b2BxdnFOcALxNjA6b2ByTswC8jYwg0VlNuoCTWAMqNzMzsoK1rEhNqByEyerg5PMJlYuVueETKcd/89uBpnpvIEVomeHLoMsAAe1Id4AAAAAAAB42oWQT07CQBTGv0JBhagk7HQzKxca2sJCE1hDt4QF+9JOS0nbaaYDCQfwCJ7Au3AHj+LO13FMmm6cl7785vven0kBjHCBhfpYuNa5Ph1c0e2Xu3jEvWG7UdPDLZ4N92nOm+EBXuAbHmIMSRMs+4aUEd4Nd3CHD8NdvOLTsA2GL8M9PODbcL+hD7C1xoaHeLJSEao0FEW14ckxC+TU8TxvsY6X0eLPmRhry2WVioLpkrbp84LLQPGI7c6sOiUzpWIWS5GzlSgUzzLBSikOPFTOXqly7rqx0Z1Q5BAIoZBSFihQYQOOBEdkCOgXTOHA07HAGjGWiIjaPZNW13/+lm6S9FT7rLHFJ6fQbkATOG1j2OFMucKJJsxIVfQORl+9Jyda6Sl1dUYhSCm1dyClfoeDve4qMYdLEbfqHf3O/AdDumsjAAB42mNgYoAAZQYjBmyAGYQZmdhL8zLdDEydARfoAqIAAAABAAMABwAKABMAB///AA8AAQAAAAAAAAAAAAAAAAABAAAAAA==) format('woff');
}
.markdown-body {
-ms-text-size-adjust: 100%;
-webkit-text-size-adjust: 100%;
color: #333;
font-family: "Helvetica Neue", Helvetica, "Segoe UI", Arial, freesans, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol";
font-size: 16px;
line-height: 1.6;
word-wrap: break-word;
box-sizing: border-box;
min-width: 200px;
max-width: 980px;
margin: 0 auto;
padding: 45px;
}
.markdown-body a {
background-color: transparent;
-webkit-text-decoration-skip: objects;
}
.markdown-body a:active,
.markdown-body a:hover {
outline-width: 0;
}
.markdown-body strong {
font-weight: inherit;
}
.markdown-body strong {
font-weight: bolder;
}
.markdown-body h1 {
font-size: 2em;
margin: 0.67em 0;
}
.markdown-body img {
border-style: none;
}
.markdown-body svg:not(:root) {
overflow: hidden;
}
.markdown-body code,
.markdown-body kbd,
.markdown-body pre {
font-family: monospace, monospace;
font-size: 1em;
}
.markdown-body hr {
box-sizing: content-box;
height: 0;
overflow: visible;
}
.markdown-body input {
font: inherit;
margin: 0;
}
.markdown-body input {
overflow: visible;
}
.markdown-body button:-moz-focusring,
.markdown-body [type="button"]:-moz-focusring,
.markdown-body [type="reset"]:-moz-focusring,
.markdown-body [type="submit"]:-moz-focusring {
outline: 1px dotted ButtonText;
}
.markdown-body [type="checkbox"] {
box-sizing: border-box;
padding: 0;
}
.markdown-body table {
border-spacing: 0;
border-collapse: collapse;
}
.markdown-body td,
.markdown-body th {
padding: 0;
}
.markdown-body * {
box-sizing: border-box;
}
.markdown-body input {
font: 13px/1.4 Helvetica, arial, nimbussansl, liberationsans, freesans, clean, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol";
}
.markdown-body a {
color: #4078c0;
text-decoration: none;
}
.markdown-body a:hover,
.markdown-body a:active {
text-decoration: underline;
}
.markdown-body hr {
height: 0;
margin: 15px 0;
overflow: hidden;
background: transparent;
border: 0;
border-bottom: 1px solid #ddd;
}
.markdown-body hr::before {
display: table;
content: "";
}
.markdown-body hr::after {
display: table;
clear: both;
content: "";
}
.markdown-body h1,
.markdown-body h2,
.markdown-body h3,
.markdown-body h4,
.markdown-body h5,
.markdown-body h6 {
margin-top: 0;
margin-bottom: 0;
line-height: 1.5;
}
.markdown-body h1 {
font-size: 30px;
}
.markdown-body h2 {
font-size: 21px;
}
.markdown-body h3 {
font-size: 16px;
}
.markdown-body h4 {
font-size: 14px;
}
.markdown-body h5 {
font-size: 12px;
}
.markdown-body h6 {
font-size: 11px;
}
.markdown-body p {
margin-top: 0;
margin-bottom: 10px;
}
.markdown-body blockquote {
margin: 0;
}
.markdown-body ul,
.markdown-body ol {
padding-left: 0;
margin-top: 0;
margin-bottom: 0;
}
.markdown-body ol ol,
.markdown-body ul ol {
list-style-type: lower-roman;
}
.markdown-body ul ul ol,
.markdown-body ul ol ol,
.markdown-body ol ul ol,
.markdown-body ol ol ol {
list-style-type: lower-alpha;
}
.markdown-body dd {
margin-left: 0;
}
.markdown-body code {
font-family: Consolas, "Liberation Mono", Menlo, Courier, monospace;
font-size: 12px;
}
.markdown-body pre {
margin-top: 0;
margin-bottom: 0;
font: 12px Consolas, "Liberation Mono", Menlo, Courier, monospace;
}
.markdown-body .pl-0 {
padding-left: 0 !important;
}
.markdown-body .pl-1 {
padding-left: 3px !important;
}
.markdown-body .pl-2 {
padding-left: 6px !important;
}
.markdown-body .pl-3 {
padding-left: 12px !important;
}
.markdown-body .pl-4 {
padding-left: 24px !important;
}
.markdown-body .pl-5 {
padding-left: 36px !important;
}
.markdown-body .pl-6 {
padding-left: 48px !important;
}
.markdown-body .form-select::-ms-expand {
opacity: 0;
}
.markdown-body:before {
display: table;
content: "";
}
.markdown-body:after {
display: table;
clear: both;
content: "";
}
.markdown-body>*:first-child {
margin-top: 0 !important;
}
.markdown-body>*:last-child {
margin-bottom: 0 !important;
}
.markdown-body a:not([href]) {
color: inherit;
text-decoration: none;
}
.markdown-body .anchor {
display: inline-block;
padding-right: 2px;
margin-left: -18px;
}
.markdown-body .anchor:focus {
outline: none;
}
.markdown-body h1,
.markdown-body h2,
.markdown-body h3,
.markdown-body h4,
.markdown-body h5,
.markdown-body h6 {
margin-top: 1em;
margin-bottom: 16px;
font-weight: bold;
line-height: 1.4;
}
.markdown-body h1 .octicon-link,
.markdown-body h2 .octicon-link,
.markdown-body h3 .octicon-link,
.markdown-body h4 .octicon-link,
.markdown-body h5 .octicon-link,
.markdown-body h6 .octicon-link {
color: #000;
vertical-align: middle;
visibility: hidden;
}
.markdown-body h1:hover .anchor,
.markdown-body h2:hover .anchor,
.markdown-body h3:hover .anchor,
.markdown-body h4:hover .anchor,
.markdown-body h5:hover .anchor,
.markdown-body h6:hover .anchor {
text-decoration: none;
}
.markdown-body h1:hover .anchor .octicon-link,
.markdown-body h2:hover .anchor .octicon-link,
.markdown-body h3:hover .anchor .octicon-link,
.markdown-body h4:hover .anchor .octicon-link,
.markdown-body h5:hover .anchor .octicon-link,
.markdown-body h6:hover .anchor .octicon-link {
visibility: visible;
}
.markdown-body h1 {
padding-bottom: 0.3em;
font-size: 2.25em;
line-height: 1.2;
border-bottom: 1px solid #eee;
}
.markdown-body h1 .anchor {
line-height: 1;
}
.markdown-body h2 {
padding-bottom: 0.3em;
font-size: 1.75em;
line-height: 1.225;
border-bottom: 1px solid #eee;
}
.markdown-body h2 .anchor {
line-height: 1;
}
.markdown-body h3 {
font-size: 1.5em;
line-height: 1.43;
}
.markdown-body h3 .anchor {
line-height: 1.2;
}
.markdown-body h4 {
font-size: 1.25em;
}
.markdown-body h4 .anchor {
line-height: 1.2;
}
.markdown-body h5 {
font-size: 1em;
}
.markdown-body h5 .anchor {
line-height: 1.1;
}
.markdown-body h6 {
font-size: 1em;
color: #777;
}
.markdown-body h6 .anchor {
line-height: 1.1;
}
.markdown-body p,
.markdown-body blockquote,
.markdown-body ul,
.markdown-body ol,
.markdown-body dl,
.markdown-body table,
.markdown-body pre {
margin-top: 0;
margin-bottom: 16px;
}
.markdown-body hr {
height: 4px;
padding: 0;
margin: 16px 0;
background-color: #e7e7e7;
border: 0 none;
}
.markdown-body ul,
.markdown-body ol {
padding-left: 2em;
}
.markdown-body ul ul,
.markdown-body ul ol,
.markdown-body ol ol,
.markdown-body ol ul {
margin-top: 0;
margin-bottom: 0;
}
.markdown-body li>p {
margin-top: 16px;
}
.markdown-body dl {
padding: 0;
}
.markdown-body dl dt {
padding: 0;
margin-top: 16px;
font-size: 1em;
font-style: italic;
font-weight: bold;
}
.markdown-body dl dd {
padding: 0 16px;
margin-bottom: 16px;
}
.markdown-body blockquote {
padding: 0 15px;
color: #777;
border-left: 4px solid #ddd;
}
.markdown-body blockquote>:first-child {
margin-top: 0;
}
.markdown-body blockquote>:last-child {
margin-bottom: 0;
}
.markdown-body table {
display: block;
width: 100%;
overflow: auto;
word-break: normal;
word-break: keep-all;
}
.markdown-body table th {
font-weight: bold;
}
.markdown-body table th,
.markdown-body table td {
padding: 6px 13px;
border: 1px solid #ddd;
}
.markdown-body table tr {
background-color: #fff;
border-top: 1px solid #ccc;
}
.markdown-body table tr:nth-child(2n) {
background-color: #f8f8f8;
}
.markdown-body img {
max-width: 100%;
box-sizing: content-box;
background-color: #fff;
}
.markdown-body code {
padding: 0;
padding-top: 0.2em;
padding-bottom: 0.2em;
margin: 0;
font-size: 85%;
background-color: rgba(0,0,0,0.04);
border-radius: 3px;
}
.markdown-body code:before,
.markdown-body code:after {
letter-spacing: -0.2em;
content: "\00a0";
}
.markdown-body pre>code {
padding: 0;
margin: 0;
font-size: 100%;
word-break: normal;
white-space: pre;
background: transparent;
border: 0;
}
.markdown-body .highlight {
margin-bottom: 16px;
}
.markdown-body .highlight pre,
.markdown-body pre {
padding: 16px;
overflow: auto;
font-size: 85%;
line-height: 1.45;
background-color: #f7f7f7;
border-radius: 3px;
}
.markdown-body .highlight pre {
margin-bottom: 0;
word-break: normal;
}
.markdown-body pre {
word-wrap: normal;
}
.markdown-body pre code {
display: inline;
max-width: initial;
padding: 0;
margin: 0;
overflow: initial;
line-height: inherit;
word-wrap: normal;
background-color: transparent;
border: 0;
}
.markdown-body pre code:before,
.markdown-body pre code:after {
content: normal;
}
.markdown-body kbd {
display: inline-block;
padding: 3px 5px;
font-size: 11px;
line-height: 10px;
color: #555;
vertical-align: middle;
background-color: #fcfcfc;
border: solid 1px #ccc;
border-bottom-color: #bbb;
border-radius: 3px;
box-shadow: inset 0 -1px 0 #bbb;
}
.markdown-body .pl-c {
color: #969896;
}
.markdown-body .pl-c1,
.markdown-body .pl-s .pl-v {
color: #0086b3;
}
.markdown-body .pl-e,
.markdown-body .pl-en {
color: #795da3;
}
.markdown-body .pl-s .pl-s1,
.markdown-body .pl-smi {
color: #333;
}
.markdown-body .pl-ent {
color: #63a35c;
}
.markdown-body .pl-k {
color: #a71d5d;
}
.markdown-body .pl-pds,
.markdown-body .pl-s,
.markdown-body .pl-s .pl-pse .pl-s1,
.markdown-body .pl-sr,
.markdown-body .pl-sr .pl-cce,
.markdown-body .pl-sr .pl-sra,
.markdown-body .pl-sr .pl-sre {
color: #183691;
}
.markdown-body .pl-v {
color: #ed6a43;
}
.markdown-body .pl-id {
color: #b52a1d;
}
.markdown-body .pl-ii {
background-color: #b52a1d;
color: #f8f8f8;
}
.markdown-body .pl-sr .pl-cce {
color: #63a35c;
font-weight: bold;
}
.markdown-body .pl-ml {
color: #693a17;
}
.markdown-body .pl-mh,
.markdown-body .pl-mh .pl-en,
.markdown-body .pl-ms {
color: #1d3e81;
font-weight: bold;
}
.markdown-body .pl-mq {
color: #008080;
}
.markdown-body .pl-mi {
color: #333;
font-style: italic;
}
.markdown-body .pl-mb {
color: #333;
font-weight: bold;
}
.markdown-body .pl-md {
background-color: #ffecec;
color: #bd2c00;
}
.markdown-body .pl-mi1 {
background-color: #eaffea;
color: #55a532;
}
.markdown-body .pl-mdr {
color: #795da3;
font-weight: bold;
}
.markdown-body .pl-mo {
color: #1d3e81;
}
.markdown-body kbd {
display: inline-block;
padding: 3px 5px;
font: 11px Consolas, "Liberation Mono", Menlo, Courier, monospace;
line-height: 10px;
color: #555;
vertical-align: middle;
background-color: #fcfcfc;
border: solid 1px #ccc;
border-bottom-color: #bbb;
border-radius: 3px;
box-shadow: inset 0 -1px 0 #bbb;
}
.markdown-body .full-commit .btn-outline:not(:disabled):hover {
color: #4078c0;
border: 1px solid #4078c0;
}
.markdown-body :checked+.radio-label {
position: relative;
z-index: 1;
border-color: #4078c0;
}
.markdown-body .octicon {
display: inline-block;
vertical-align: text-top;
fill: currentColor;
}
.markdown-body .task-list-item {
list-style-type: none;
}
.markdown-body .task-list-item+.task-list-item {
margin-top: 3px;
}
.markdown-body .task-list-item input {
margin: 0 0.2em 0.25em -1.6em;
vertical-align: middle;
}
.markdown-body hr {
border-bottom-color: #eee;
} |
0 | repos | repos/starknet-zig/build_helpers.zig | const std = @import("std");
/// Represents a dependency on an external package.
pub const Dependency = struct {
name: []const u8,
module_name: []const u8,
};
/// Generate an array of Build.Module.Import from the external dependencies.
/// # Arguments
/// * `b` - The build object.
/// * `external_dependencies` - The external dependencies.
/// * `dependencies_opts` - The options to use when generating the dependency modules.
/// # Returns
/// A new array of Build.Module.Import.
pub fn generateModuleDependencies(
b: *std.Build,
external_dependencies: []const Dependency,
dependencies_opts: anytype,
) ![]std.Build.Module.Import {
var dependency_modules = std.ArrayList(*std.Build.Module).init(b.allocator);
defer _ = dependency_modules.deinit();
// Populate dependency modules.
for (external_dependencies) |dep| {
const module = b.dependency(
dep.name,
dependencies_opts,
).module(dep.module_name);
_ = dependency_modules.append(module) catch unreachable;
}
return try toModuleDependencyArray(
b.allocator,
dependency_modules.items,
external_dependencies,
);
}
/// Convert an array of Build.Module pointers to an array of Build.Module.Import.
/// # Arguments
/// * `allocator` - The allocator to use for the new array.
/// * `modules` - The array of Build.Module pointers to convert.
/// * `ext_deps` - The array of external dependencies.
/// # Returns
/// A new array of Build.Module.Import.
fn toModuleDependencyArray(
allocator: std.mem.Allocator,
modules: []const *std.Build.Module,
ext_deps: []const Dependency,
) ![]std.Build.Module.Import {
var deps = std.ArrayList(std.Build.Module.Import).init(allocator);
defer deps.deinit();
for (modules, 0..) |module_ptr, i| {
try deps.append(.{
.name = ext_deps[i].name,
.module = module_ptr,
});
}
return deps.toOwnedSlice();
}
|
0 | repos | repos/starknet-zig/README.md | <p align="center">
<img src="https://github.com/starknet-io/starknet-zig/blob/main/docs/kit/logo/starknet-zig-logo.png?raw=true" alt="Logo"/>
<h1 align="center">starknet-zig</h1>
</p>
> _Note that `starknet-zig` is still experimental. Breaking changes will be made before the first stable release. The library is also NOT audited or reviewed for security at the moment. Use at your own risk._
## 📦 Installation
### 📋 Prerequisites
- [Zig](https://ziglang.org/)
## Usage
```bash
zig build run
```
### 🛠️ Testing
```bash
zig build test --summary all
```
## 📄 License
This project is licensed under the MIT license.
See [LICENSE](LICENSE) for more information.
Happy coding! 🎉
## 📚 Resources
Here are some resources to help you get started:
- [Starknet Docs](https://docs.starknet.io/)
- [Starknet Book](https://book.starknet.io/)
|
0 | repos | repos/starknet-zig/build.zig.zon | .{
.name = "starknet",
.version = "0.0.1",
.paths = .{
"src",
"build.zig",
"build.zig.zon",
"LICENSE",
"README.md",
},
.dependencies = .{
.@"zig-cli" = .{
.url = "https://github.com/sam701/zig-cli/archive/refs/heads/main.tar.gz",
.hash = "12208a4377c7699927605e5a797bad5ae2ba8be4b49f68b9f522b3a755597a21f1cf",
},
},
}
|
0 | repos | repos/starknet-zig/build.zig | const std = @import("std");
const build_helpers = @import("build_helpers.zig");
const package_name = "ziggy-starkdust";
const package_path = "src/lib.zig";
// List of external dependencies that this package requires.
const external_dependencies = [_]build_helpers.Dependency{
.{
.name = "zig-cli",
.module_name = "zig-cli",
},
};
// Although this function looks imperative, note that its job is to
// declaratively construct a build graph that will be executed by an external
// runner.
pub fn build(b: *std.Build) void {
// Standard target options allows the person running `zig build` to choose
// what target to build for. Here we do not override the defaults, which
// means any target is allowed, and the default is native. Other options
// for restricting supported target set are available.
const target = b.standardTargetOptions(.{});
// Standard optimization options allow the person running `zig build` to select
// between Debug, ReleaseSafe, ReleaseFast, and ReleaseSmall. Here we do not
// set a preferred release mode, allowing the user to decide how to optimize.
const optimize = b.standardOptimizeOption(.{});
// **************************************************************
// * HANDLE DEPENDENCY MODULES *
// **************************************************************
const dependencies_opts = .{
.target = target,
.optimize = optimize,
};
// This array can be passed to add the dependencies to lib, executable, tests, etc using `addModule` function.
const deps = build_helpers.generateModuleDependencies(
b,
&external_dependencies,
dependencies_opts,
) catch unreachable;
// **************************************************************
// * ZIGGY STARKDUST AS A MODULE *
// **************************************************************
// expose ziggy-starkdust as a module
_ = b.addModule(package_name, .{
.root_source_file = .{ .path = package_path },
.imports = deps,
});
// **************************************************************
// * ZIGGY STARKDUST AS A LIBRARY *
// **************************************************************
const lib = b.addStaticLibrary(.{
.name = "ziggy-starkdust",
// In this case the main source file is merely a path, however, in more
// complicated build scripts, this could be a generated file.
.root_source_file = .{ .path = "src/lib.zig" },
.target = target,
.optimize = optimize,
});
// Add dependency modules to the library.
for (deps) |mod| lib.root_module.addImport(
mod.name,
mod.module,
);
// This declares intent for the library to be installed into the standard
// location when the user invokes the "install" step (the default step when
// running `zig build`).
b.installArtifact(lib);
// **************************************************************
// * ZIGGY STARKDUST AS AN EXECUTABLE *
// **************************************************************
const exe = b.addExecutable(.{
.name = "ziggy-starkdust",
// In this case the main source file is merely a path, however, in more
// complicated build scripts, this could be a generated file.
.root_source_file = .{ .path = "src/main.zig" },
.target = target,
.optimize = optimize,
});
// Add dependency modules to the executable.
for (deps) |mod| exe.root_module.addImport(
mod.name,
mod.module,
);
// This declares intent for the executable to be installed into the
// standard location when the user invokes the "install" step (the default
// step when running `zig build`).
b.installArtifact(exe);
// This *creates* a Run step in the build graph, to be executed when another
// step is evaluated that depends on it. The next line below will establish
// such a dependency.
const run_cmd = b.addRunArtifact(exe);
// By making the run step depend on the install step, it will be run from the
// installation directory rather than directly from within the cache directory.
// This is not necessary, however, if the application depends on other installed
// files, this ensures they will be present and in the expected location.
run_cmd.step.dependOn(b.getInstallStep());
// This allows the user to pass arguments to the application in the build
// command itself, like this: `zig build run -- arg1 arg2 etc`
if (b.args) |args| {
run_cmd.addArgs(args);
}
// This creates a build step. It will be visible in the `zig build --help` menu,
// and can be selected like this: `zig build pedersen_table_gen`
pedersen_table_gen(b, optimize, target);
// This creates a build step. It will be visible in the `zig build --help` menu,
// and can be selected like this: `zig build poseidon_consts_gen`
poseidon_consts_gen(b, optimize, target);
// This creates a build step. It will be visible in the `zig build --help` menu,
// and can be selected like this: `zig build run`
// This will evaluate the `run` step rather than the default, which is "install".
const run_step = b.step(
"run",
"Run the app",
);
run_step.dependOn(&run_cmd.step);
const test_filter = b.option(
[]const u8,
"test-filter",
"Skip tests that do not match filter",
);
// Creates a step for unit testing. This only builds the test executable
// but does not run it.
const unit_tests = b.addTest(.{
.root_source_file = .{ .path = "src/tests.zig" },
.target = target,
.optimize = optimize,
.filter = test_filter,
});
// Add dependency modules to the tests.
for (deps) |mod| unit_tests.root_module.addImport(
mod.name,
mod.module,
);
const run_unit_tests = b.addRunArtifact(unit_tests);
// Similar to creating the run step earlier, this exposes a `test` step to
// the `zig build --help` menu, providing a way for the user to request
// running the unit tests.
const test_step = b.step(
"test",
"Run unit tests",
);
test_step.dependOn(&lib.step);
test_step.dependOn(&run_unit_tests.step);
}
fn pedersen_table_gen(
b: *std.Build,
mode: std.builtin.Mode,
target: std.Build.ResolvedTarget,
) void {
const binary = b.addExecutable(.{
.name = "pedersen_table_gen",
.root_source_file = .{ .path = "src/pedersen_table_gen.zig" },
.target = target,
.optimize = mode,
});
const pedersen_table_gen_build = b.step("pedersen_table_gen", "Cli: pedersen table generator");
pedersen_table_gen_build.dependOn(&binary.step);
const install_step = b.addInstallArtifact(binary, .{});
pedersen_table_gen_build.dependOn(&install_step.step);
}
fn poseidon_consts_gen(
b: *std.Build,
mode: std.builtin.Mode,
target: std.Build.ResolvedTarget,
) void {
const binary = b.addExecutable(.{
.name = "poseidon_consts_gen",
.root_source_file = .{ .path = "src/poseidon_consts_gen.zig" },
.target = target,
.optimize = mode,
});
const poseidon_consts_gen_build = b.step("poseidon_consts_gen", "Cli: poseidon consts generator");
poseidon_consts_gen_build.dependOn(&binary.step);
const install_step = b.addInstallArtifact(binary, .{});
poseidon_consts_gen_build.dependOn(&install_step.step);
}
|
0 | repos/starknet-zig | repos/starknet-zig/src/pedersen_table_gen.zig | /// Generating pedersen table for Felt252
/// All memory allocation is on arena allocator
/// code ported from starknet-crypto-codegen:
/// https://github.com/xJonathanLEI/starknet-rs/blob/0857bd6cd3bd34cbb06708f0a185757044171d8d/starknet-crypto-codegen/src/pedersen.rs
const std = @import("std");
const Felt252 = @import("./math/fields/starknet.zig").Felt252;
const AffinePoint = @import("./math/curve/short_weierstrass/affine.zig").AffinePoint;
const Allocator = std.mem.Allocator;
const CurveParams = @import("./math/curve/curve_params.zig");
const final_block = "const AffinePoint = @import(\"../../math/curve/short_weierstrass/affine.zig\").AffinePoint;\n" ++
"pub const CURVE_CONSTS_BITS: usize = {};\n" ++
"const big_int = @import(\"../../math/fields/biginteger.zig\").bigInt(4);" ++
"const Felt252 = @import(\"../../math/fields/starknet.zig\").Felt252;";
fn lookupTable(allocator: Allocator, comptime bits: u32) ![]u8 {
var output = std.ArrayList(u8).init(allocator);
try std.fmt.format(output.writer(), final_block, .{bits});
try pushPoints(output.writer(), "P0", CurveParams.PEDERSEN_P0, 248, bits);
try pushPoints(output.writer(), "P1", CurveParams.PEDERSEN_P1, 4, bits);
try pushPoints(output.writer(), "P2", CurveParams.PEDERSEN_P2, 248, bits);
try pushPoints(output.writer(), "P3", CurveParams.PEDERSEN_P3, 4, bits);
return try output.toOwnedSlice();
}
fn pushPoint(writer: anytype, p: *AffinePoint) !void {
// const felt = ".{{\t\n\t.fe = big_int.init(.{{\n{},\n{},\n{},\n{},\n}},),\n}},\n";
const felt = ".{{\t\n\t.fe = .{{ .limbs = .{{\n{},\n{},\n{},\n{},\n}},}},\n}},\n";
try writer.writeAll(".{\n.x = ");
try std.fmt.format(
writer,
felt,
.{
p.x.fe.limbs[0],
p.x.fe.limbs[1],
p.x.fe.limbs[2],
p.x.fe.limbs[3],
},
);
// const felt = "\n Felt252.fromInt(u256, {},)\n,\n";
// try writer.writeAll(".{\n.x = ");
// try std.fmt.format(
// writer,
// felt,
// .{p.x.toU256()},
// );
try writer.writeAll(".y = ");
try std.fmt.format(
writer,
felt,
.{
p.y.fe.limbs[0],
p.y.fe.limbs[1],
p.y.fe.limbs[2],
p.y.fe.limbs[3],
},
);
try writer.writeAll(".infinity = false,\n},");
// try writer.writeAll(".y = ");
// try std.fmt.format(
// writer,
// felt,
// .{p.y.toU256()},
// );
// try writer.writeAll(".infinity = false,\n},");
}
fn pushPoints(writer: anytype, name: []const u8, base: AffinePoint, comptime max_bits: u32, comptime bits: u32) !void {
const full_chunks = max_bits / bits;
const leftover_bits = max_bits % bits;
const table_size_full = (1 << bits) - 1;
const table_size_leftover = (1 << leftover_bits) - 1;
const len = full_chunks * table_size_full + table_size_leftover;
try std.fmt.format(writer, "pub const CURVE_CONSTS_{s}: [{d}]AffinePoint = .{{\n", .{ name, len });
var bits_left: u32 = max_bits;
var outer_point = base;
while (bits_left > 0) {
const eat_bits = @min(bits_left, bits);
const table_size = (@as(u32, 1) << eat_bits) - 1;
// Loop through each possible bit combination except zero
var inner_point = outer_point;
for (1..(table_size + 1)) |_| {
try pushPoint(writer, &inner_point);
try inner_point.addAssign(&outer_point);
}
// Shift outer point #bits times
bits_left -= eat_bits;
inline for (0..bits) |_| {
outer_point.doubleAssign();
}
}
try writer.writeAll("};\n\n");
}
pub fn main() !void {
var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator);
defer arena.deinit();
const allocator = arena.allocator();
const output = try lookupTable(allocator, 4);
var file = try std.fs.cwd().openFile("./src/crypto/pedersen/constants.zig", .{ .mode = .write_only });
try file.writer().writeAll(output);
}
|
0 | repos/starknet-zig | repos/starknet-zig/src/main.zig | // Core imports.
const std = @import("std");
const builtin = @import("builtin");
// Local imports.
const customlogFn = @import("utils/log.zig").logFn;
const Felt252 = @import("math/fields/starknet.zig").Felt252;
// *****************************************************************************
// * GLOBAL CONFIGURATION *
// *****************************************************************************
/// Standard library options.
/// log_level and log_scope_levels make it configurable.
pub const std_options = .{
.logFn = customlogFn,
.log_level = .debug,
.log_scope_levels = &[_]std.log.ScopeLevel{},
};
pub fn main() !void {
std.log.debug("starknet-zig\n", .{});
std.debug.print(
\\Let's add two field elements together.
\\We will use the Starknet prime field 0x800000000000011000000000000000000000000000000000000000000000001.
\\We will add 0x800000000000011000000000000000000000000000000000000000000000000 and 0x4.
\\The result should be 3.
, .{});
const a = Felt252.fromInt(u256, 0x800000000000011000000000000000000000000000000000000000000000000);
const b = Felt252.fromInt(u256, 0x4);
const c = a.add(&b);
std.debug.print("\nResult: {}\n", .{c.toU256()});
}
pub const TEST_ITERATIONS = 1;
|
0 | repos/starknet-zig | repos/starknet-zig/src/tests.zig | const std = @import("std");
const lib = @import("lib.zig");
// Automatically run all tests in files declared in the `lib.zig` file.
test {
std.testing.log_level = std.log.Level.err;
std.testing.refAllDecls(lib);
}
|
0 | repos/starknet-zig | repos/starknet-zig/src/lib.zig | pub const curve = struct {
pub usingnamespace @import("math/curve/short_weierstrass/affine.zig");
pub usingnamespace @import("math/curve/short_weierstrass/projective.zig");
pub usingnamespace @import("math/curve/short_weierstrass/projective_jacobian.zig");
pub usingnamespace @import("math/curve/curve_params.zig");
};
pub const fields = struct {
pub usingnamespace @import("math/fields/fields.zig");
pub usingnamespace @import("math/fields/starknet.zig");
pub usingnamespace @import("math/fields/arithmetic.zig");
pub usingnamespace @import("math/fields/biginteger.zig");
pub usingnamespace @import("math/fields/const_choice.zig");
};
pub const bench = struct {
pub usingnamespace @import("bench/bench.zig");
pub usingnamespace @import("bench/bench_field.zig");
};
pub const crypto = struct {
pub usingnamespace @import("crypto/ecdsa.zig");
pub usingnamespace @import("crypto/pedersen_hash.zig");
pub usingnamespace @import("crypto/poseidon_hash.zig");
};
pub const core = struct {
pub usingnamespace @import("core/types/eth_address.zig");
pub usingnamespace @import("core/types/hash256.zig");
pub usingnamespace @import("core/types/message.zig");
};
|
0 | repos/starknet-zig | repos/starknet-zig/src/poseidon_consts_gen.zig | /// Generating constants for poseidon hashing function
/// All memory allocation is on arena allocator
///
const std = @import("std");
const Felt252 = @import("./math/fields/starknet.zig").Felt252;
const Allocator = std.mem.Allocator;
const round_constants_block = "/// based on https://github.com/starkware-industries/poseidon/blob/5403dff9ff4eadb07deb5c0a43e88bedb011deb8/poseidon3.txt\n" ++
"///\n///\n/// This file is autogenerated by poseidon_consts_gen.zig\n///\n///\n" ++
"const Felt252 = @import(\"../../math/fields/starknet.zig\").Felt252;\n\npub const POSEIDON_COMPRESSED_ROUND_CONSTS: [{d}]Felt252 = .{{\n {s}\n }};" ++
"\n\npub const POSEIDON_FULL_ROUNDS: usize = {d};\n\npub const POSEIDON_PARTIAL_ROUNDS: usize = {d};\n\n";
const round_constants_block_item = ".{{ .fe = .{{.limbs = .{{ {}, {}, {}, {}, }}, }}, }},\n";
const ConfigJSON = struct {
full_rounds: usize,
partial_rounds: usize,
round_keys: [][3]u256,
};
// generateRoundConstantBlock - injecting compressed round constants and config into template
// result slice owner is caller, so it should be deinit by caller
fn generateRoundConstantBlock(allocator: Allocator, config: ConfigJSON, round_keys: []Felt252) ![]const u8 {
var array_tpl = std.ArrayList(u8).init(allocator);
defer array_tpl.deinit();
for (round_keys) |round_key| {
const value = round_key.fe;
// writing array felt item
try std.fmt.format(
array_tpl.writer(),
round_constants_block_item,
.{
value.limbs[0],
value.limbs[1],
value.limbs[2],
value.limbs[3],
},
);
}
var result = std.ArrayList(u8).init(allocator);
try std.fmt.format(
result.writer(),
round_constants_block,
.{
round_keys.len,
try array_tpl.toOwnedSlice(),
config.full_rounds,
config.partial_rounds,
},
);
return try result.toOwnedSlice();
}
// parseConfig - parsing config from json, allocator should be arena allocator
fn parseConfig(allocator: Allocator, json_spec: []const u8) !ConfigJSON {
return try std.json.parseFromSliceLeaky(
ConfigJSON,
allocator,
json_spec,
.{ .allocate = std.json.AllocWhen.alloc_always },
);
}
// compressRoundConstants - compressing round constants
// caller is owner of result slice and should deinit it
fn compressRoundConstants(allocator: Allocator, config: ConfigJSON, round_constants: [][3]Felt252) ![]Felt252 {
var result = std.ArrayList(Felt252).init(allocator);
for (round_constants[0 .. config.full_rounds / 2]) |rk| {
inline for (0..3) |i| try result.append(rk[i]);
}
var idx = config.full_rounds / 2;
var state = [_]Felt252{.{}} ** 3;
// Add keys for partial rounds
for (0..config.partial_rounds) |_| {
inline for (0..3) |i|
state[i].addAssign(&round_constants[idx][i]);
// Add last state
try result.append(state[2]);
// Reset last state
state[2] = .{};
const st = state[0].add(&state[1]).add(&state[2]);
// MixLayer
state[0] = st.add(&Felt252.two().mul(&state[0]));
state[1] = st.sub(&Felt252.two().mul(&state[1]));
state[2] = st.sub(&Felt252.two().mul(&state[2]));
idx += 1;
}
// Add keys for first of the last full rounds
inline for (0..3) |i| {
state[i].addAssign(&round_constants[idx][i]);
try result.append(state[i]);
}
for (round_constants[config.full_rounds / 2 + config.partial_rounds + 1 ..]) |rk| {
try result.appendSlice(&rk);
}
return try result.toOwnedSlice();
}
// parseNumbersToFieldElement - parsing numbers to field element
// caller is owner of result slice and should deinit it
fn parseNumbersToFieldElement(allocator: Allocator, keys: [][3]u256) ![][3]Felt252 {
var result = try allocator.alloc([3]Felt252, keys.len);
for (keys, 0..) |key, idx| {
for (key, 0..) |k, idy| {
result[idx][idy] = Felt252.fromInt(u256, k);
}
}
return result;
}
pub fn main() !void {
var arena = std.heap.ArenaAllocator.init(std.heap.page_allocator);
defer arena.deinit();
const allocator = arena.allocator();
// writing constants for poseidon
const config = try parseConfig(allocator, @embedFile("./crypto/poseidon/config.json"));
const round_consts = try parseNumbersToFieldElement(allocator, config.round_keys);
const compressed_round_consts = try compressRoundConstants(allocator, config, round_consts);
const result = try generateRoundConstantBlock(allocator, config, compressed_round_consts);
var file = try std.fs.cwd().openFile("./src/crypto/poseidon/constants.zig", .{ .mode = .write_only });
try file.writer().writeAll(result);
}
|
0 | repos/starknet-zig/src/core | repos/starknet-zig/src/core/types/execution_result.zig | const std = @import("std");
const expect = std.testing.expect;
const expectEqual = std.testing.expectEqual;
const expectError = std.testing.expectError;
const TransactionExecutionStatus = enum { Succeeded, Reverted };
pub const ExecutionResult = union(TransactionExecutionStatus) {
const Self = @This();
Succeeded,
Reverted: struct { reason: []const u8 },
pub fn status(self: *Self) TransactionExecutionStatus {
return switch (self.*) {
.Succeeded => TransactionExecutionStatus.Succeeded,
.Reverted => TransactionExecutionStatus.Reverted,
};
}
pub fn revertReason(self: *Self) ?[]const u8 {
return switch (self.*) {
.Succeeded => null,
.Reverted => |rev| rev.reason,
};
}
};
|
0 | repos/starknet-zig/src/core | repos/starknet-zig/src/core/types/eth_address.zig | const std = @import("std");
const expect = std.testing.expect;
const expectEqual = std.testing.expectEqual;
const expectError = std.testing.expectError;
const Felt252 = @import("../../math/fields/starknet.zig").Felt252;
/// Maximum L1 address.
pub const MAX_L1_ADDRESS = Felt252.fromInt(
u256,
0xFFfFfFffFFfffFFfFFfFFFFFffFFFffffFfFFFfF,
);
/// Errors that can occur during hex conversion.
pub const FromHexError = error{
/// The length of the hex string is unexpected.
UnexpectedLength,
/// The hex string is invalid.
InvalidHexString,
};
/// Ethereum address.
pub const EthAddress = struct {
const Self = @This();
/// Inner byte representation of the address.
inner: [20]u8 = [_]u8{0x00} ** 20,
/// Constructs an `EthAddress` from a hexadecimal string.
///
/// This function takes an allocator and a hexadecimal string `hex` as input. It constructs an `EthAddress` from the hexadecimal string.
///
/// # Arguments
///
/// - `allocator`: An allocator to allocate memory.
/// - `hex`: A hexadecimal string representing the address.
///
/// # Returns
///
/// Returns `Self` on success, otherwise returns a `FromHexError`.
pub fn fromHex(allocator: std.mem.Allocator, hex: []const u8) !Self {
var idx_start: usize = 0;
// Check if the string starts with "0x", adjust the index accordingly.
if (std.mem.indexOf(u8, hex, "0x")) |i| {
if (i == 0) idx_start = 2;
}
// Check if the length of the hexadecimal string is 40 characters.
if (hex[idx_start..].len == 40) {
// Concatenate "0x" with the hexadecimal string.
const h = try std.mem.concat(
allocator,
u8,
&[_][]const u8{ "0x", hex[idx_start..] },
);
// Deallocate the concatenated string when function exits.
defer allocator.free(h);
// Initialize the result EthAddress.
var res: Self = .{};
// Parse the hexadecimal string into a u160 integer and write it to the inner representation of EthAddress.
std.mem.writeInt(
u160,
&res.inner,
std.fmt.parseInt(u160, h, 0) catch
return FromHexError.InvalidHexString,
.big,
);
return res;
}
// If the length is not 40 characters, return UnexpectedLength error.
return FromHexError.UnexpectedLength;
}
/// Constructs an `EthAddress` from a `u160` integer.
///
/// # Arguments
///
/// - `int`: A `u160` integer representing the address.
///
/// # Returns
///
/// Returns a new `EthAddress` constructed from the provided `u160` integer.
pub fn fromInt(int: u160) Self {
// Initialize a new EthAddress.
var res: Self = .{};
// Write the provided u160 integer to the inner representation of EthAddress.
std.mem.writeInt(
u160,
&res.inner,
int,
.big,
);
return res;
}
/// Constructs an `EthAddress` from a `Felt252`.
///
/// This function takes a `Felt252` and constructs an `EthAddress` from it.
///
/// # Arguments
///
/// - `felt`: A `Felt252` representing the address.
///
/// # Returns
///
/// Returns `Self` on success, otherwise returns a `FromFieldElementError`.
pub fn fromFelt(felt: Felt252) !Self {
// Check if the provided Felt252 is less than or equal to the maximum L1 address.
if (felt.lte(&MAX_L1_ADDRESS)) {
// Initialize a new EthAddress.
var res: Self = .{};
// Convert the Felt252 to a u160 integer and write it to the inner representation of EthAddress.
std.mem.writeInt(
u160,
&res.inner,
try felt.toInt(u160),
.big,
);
return res;
}
// If the provided Felt252 is greater than the maximum L1 address, return FromFieldElementError.
return error.FromFieldElementError;
}
};
const test_addresses = [_][]const u8{
"0x00000000219ab540356cbb839cbe05303d7705fa",
"0xc02aaa39b223fe8d0a0e5c4f27ead9083c756cc2",
"0xbe0eb53f46cd790cd13851d5eff43d12404d33e8",
"0x8315177ab297ba92a06054ce80a67ed4dbd7ed3a",
"0x40b38765696e3d5d8d9d834d8aad4bb6e418e489",
"0xda9dfa130df4de4673b89022ee50ff26f6ea73cf",
"0x47ac0fb4f2d84898e4d9e7b4dab3c24507a6d503",
"0xf977814e90da44bfa03b6295a0616a897441acec",
"0xe92d1a43df510f82c66382592a047d288f85226f",
"0xbeb5fc579115071764c7423a4f12edde41f106ed",
"0xafcd96e580138cfa2332c632e66308eacd45c5da",
"0x61edcdf5bb737adffe5043706e7c5bb1f1a56eea",
"0x7d6149ad9a573a6e2ca6ebf7d4897c1b766841b4",
"0xc61b9bb3a7a0767e3179713f3a5c7a9aedce193c",
"0xca8fa8f0b631ecdb18cda619c4fc9d197c8affca",
"0xde0b295669a9fd93d5f28d9ec85e40f4cb697bae",
"0x3bfc20f0b9afcace800d73d2191166ff16540258",
"0x8103683202aa8da10536036edef04cdd865c225e",
"0x28c6c06298d514db089934071355e5743bf21d60",
"0xdf9eb223bafbe5c5271415c75aecd68c21fe3d7f",
"0x8696e84ab5e78983f2456bcb5c199eea9648c8c2",
"0x267be1c1d684f78cb4f6a176c4911b741e4ffdc0",
"0x49048044d57e1c92a77f79988d21fa8faf74e97e",
"0xf3b0073e3a7f747c7a38b36b805247b222c302a3",
"0xbf3aeb96e164ae67e763d9e050ff124e7c3fdd28",
"0x9e927c02c9eadae63f5efb0dd818943c7262fb8e",
"0x8484ef722627bf18ca5ae6bcf031c23e6e922b30",
"0x32400084c286cf3e17e7b677ea9583e60a000324",
"0x5b5b69f4e0add2df5d2176d7dbd20b4897bc7ec4",
"0xe25a329d385f77df5d4ed56265babe2b99a5436e",
"0x7da82c7ab4771ff031b66538d2fb9b0b047f6cf9",
"0x15c22df3e71e7380012668fb837c537d0f8b38a1",
"0x0e58e8993100f1cbe45376c410f97f4893d9bfcd",
"0x2f2d854c1d6d5bb8936bb85bc07c28ebb42c9b10",
"0x1db92e2eebc8e0c075a02bea49a2935bcd2dfcf4",
"0x0c23fc0ef06716d2f8ba19bc4bed56d045581f2d",
"0xfd898a0f677e97a9031654fc79a27cb5e31da34a",
"0xb8cda067fabedd1bb6c11c626862d7255a2414fe",
"0x701c484bfb40ac628afa487b6082f084b14af0bd",
"0x9c2fc4fc75fa2d7eb5ba9147fa7430756654faa9",
"0xb20411c403687d1036e05c8a7310a0f218429503",
"0x9a1ed80ebc9936cee2d3db944ee6bd8d407e7f9f",
"0xba18ded5e0d604a86428282964ae0bb249ceb9d0",
"0xb9fa6e54025b4f0829d8e1b42e8b846914659632",
"0x8d95842b0bca501446683be598e12f1c616770c1",
"0x35aeed3aa9657abf8b847038bb591b51e1e4c69f",
"0xb93d8596ac840816bd366dc0561e8140afd0d1cb",
"0x4ed97d6470f5121a8e02498ea37a50987da0eec0",
"0x0000000000000000000000000000000000000000",
"b20411c403687d1036e05c8a7310a0f218429503",
"9a1ed80ebc9936cee2d3db944ee6bd8d407e7f9f",
"ba18ded5e0d604a86428282964ae0bb249ceb9d0",
"b9fa6e54025b4f0829d8e1b42e8b846914659632",
};
test "EthAddress: generate address from hex as string" {
for (test_addresses) |add| {
// Determine the start index based on whether the string starts with "0x".
var idx_start: usize = 0;
if (std.mem.indexOf(u8, add, "0x")) |i| {
if (i == 0) idx_start = 2;
}
// Concatenate "0x" with the hexadecimal string.
const int = try std.mem.concat(
std.testing.allocator,
u8,
&[_][]const u8{ "0x", add[idx_start..] },
);
// Deallocate the concatenated string when the function exits.
defer std.testing.allocator.free(int);
// Assert that the `EthAddress` generated from the integer representation of the hexadecimal
// string matches the one generated directly from the hexadecimal string.
try expectEqual(
EthAddress.fromInt(try std.fmt.parseInt(u160, int, 0)),
try EthAddress.fromHex(std.testing.allocator, add),
);
}
}
test "EthAddress: generate address from hex as string should return an error if hex len is not correct" {
inline for (test_addresses) |add| {
// Verify that attempting to generate an `EthAddress` from a hexadecimal string with
// an incorrect length results in an UnexpectedLength error.
try expectError(
FromHexError.UnexpectedLength,
EthAddress.fromHex(std.testing.allocator, add ++ "32"),
);
try expectError(
FromHexError.UnexpectedLength,
EthAddress.fromHex(std.testing.allocator, "32" ++ add),
);
try expectError(
FromHexError.UnexpectedLength,
EthAddress.fromHex(std.testing.allocator, "32" ++ add ++ "32"),
);
try expectError(
FromHexError.UnexpectedLength,
EthAddress.fromHex(std.testing.allocator, add[0..5]),
);
}
}
test "EthAddress: generate address from Felt252" {
for (test_addresses) |add| {
// Determine the start index based on whether the string starts with "0x".
var idx_start: usize = 0;
if (std.mem.indexOf(u8, add, "0x")) |i| {
if (i == 0) idx_start = 2;
}
// Concatenate "0x" with the hexadecimal string.
const int = try std.mem.concat(
std.testing.allocator,
u8,
&[_][]const u8{ "0x", add[idx_start..] },
);
// Deallocate the concatenated string when the function exits.
defer std.testing.allocator.free(int);
// Assert that the `EthAddress` generated directly from the hexadecimal string
// matches the one generated from the `Felt252` representing the same address.
try expectEqual(
try EthAddress.fromHex(std.testing.allocator, add),
EthAddress.fromFelt(
Felt252.fromInt(
u256,
try std.fmt.parseInt(u160, int, 0),
),
),
);
}
}
test "EthAddress: generate address from Felt252 should return error if greater than max address" {
// Verify that attempting to generate an `EthAddress` from a `Felt252` greater than the
// maximum address results in a FromFieldElementError.
try expectError(
error.FromFieldElementError,
EthAddress.fromFelt(
Felt252.fromInt(
u256,
MAX_L1_ADDRESS.toU256() + 1,
),
),
);
}
|
0 | repos/starknet-zig/src/core | repos/starknet-zig/src/core/types/hash256.zig | const std = @import("std");
const expect = std.testing.expect;
const expectEqual = std.testing.expectEqual;
const expectError = std.testing.expectError;
const Felt252 = @import("../../math/fields/starknet.zig").Felt252;
/// Errors that can occur during hex conversion.
pub const FromHexError = error{
/// The length of the hex string is unexpected.
UnexpectedLength,
/// The hex string is invalid.
InvalidHexString,
};
/// Hash256 structure representing a 256-bit hash.
pub const Hash256 = struct {
const Self = @This();
/// Byte count representing the size of the hash.
pub const byte_count: usize = 32;
/// Expected length of the hexadecimal string representation of the hash.
const expected_hex_length = byte_count * 2;
/// Inner byte representation of the hash.
inner: [byte_count]u8 = [_]u8{0x00} ** byte_count,
/// Constructs a `Hash256` from a hexadecimal string.
///
/// # Arguments
///
/// - `allocator`: An allocator to allocate memory.
/// - `hex`: A hexadecimal string representing the hash.
///
/// # Returns
///
/// Returns `Self` on success, otherwise returns a `FromHexError`.
pub fn fromHex(allocator: std.mem.Allocator, hex: []const u8) !Self {
var idx_start: usize = 0;
// Check if the string starts with "0x", adjust the index accordingly.
if (std.mem.indexOf(u8, hex, "0x")) |i| {
if (i == 0) idx_start = 2;
}
var res: Self = .{};
// Check if the length of the hexadecimal string is within the expected range.
if (hex[idx_start..].len <= expected_hex_length) {
// Concatenate "0x0" with the hexadecimal string.
const h = try std.mem.concat(
allocator,
u8,
&[_][]const u8{ "0x0", hex[idx_start..] },
);
// Deallocate the concatenated string when function exits.
defer allocator.free(h);
// Parse the hexadecimal string into a u256 integer and write it to the inner representation of Hash256.
std.mem.writeInt(
u256,
&res.inner,
std.fmt.parseInt(u256, h, 0) catch
return FromHexError.InvalidHexString,
.big,
);
return res;
}
// If the length is not within the expected range, return UnexpectedLength error.
return FromHexError.UnexpectedLength;
}
/// Constructs a `Hash256` from a `u256` integer.
///
/// # Arguments
///
/// - `int`: A `u256` integer representing the hash.
///
/// # Returns
///
/// Returns a new `Hash256` constructed from the provided `u256` integer.
pub fn fromInt(int: u256) Self {
// Initialize a new Hash256.
var res: Self = .{};
// Write the provided u256 integer to the inner representation of Hash256.
std.mem.writeInt(
u256,
&res.inner,
int,
.big,
);
return res;
}
/// Constructs a `Hash256` from a `Felt252`.
///
/// # Arguments
///
/// - `felt`: A `Felt252` representing the hash.
///
/// # Returns
///
/// Returns `Self` on success, otherwise returns a `FromFieldElementError`.
pub fn fromFelt(felt: Felt252) !Self {
// Initialize a new Hash256.
var res: Self = .{};
// Convert the Felt252 to a u256 integer and write it to the inner representation of Hash256.
std.mem.writeInt(
u256,
&res.inner,
try felt.toInt(u256),
.big,
);
return res;
}
};
const test_hashes = [_][]const u8{
"0xcf40670837166aba9d9c05896e551c8f0009ce56cb3096b9839621a16b43aaab",
"0x269e154d79895caadad93ffe6394f837aadc6eb3c3290467d9f46d70bc47f8fb",
"0x1c008ae0f44250f18dfcbf847be4411fb6afdbc77caec0125e5b5a6008b84836",
"0x2031e2f073e17c97b35526f12cfb71b2b3c38dd94b88f7f6f0223dc28cef9cf4",
"0xbc8343e33697ed71b3d52551e71323cd0d3bd70b569cd88ba061a6134ddd7cc0",
"0x690636eed190034a52c1abea392a0a066cc1b90688a10c9fd537b1f15559d529",
"0x6cb12e4dc52d339716f770eb8934fd22231dd11ab2e235e3991bdbafc07cd204",
"0xf18319b8d679c52123d6af1a151f390503faee900936aa6c8176d94f4bee64c4",
"0x41adaebc069a454492c60d1641428af95bdbb807de3f6c100a5bea687511f25f",
"0x86811137bafdd1fd21402cac9c25acabc242bdc3ca4d37fa0cda1792170ce9b5",
"6853cc9a5e7f757185c2b46956b091b962d492e5f6c0d82de536a13f0b7ace12",
"3954263a51a4c5ffe847a4cffa9e64c72350230007e097229dc1a04349e14508",
"2d9574cacaf37c7877447eb9b4ed2c18703ae8c7f4bf93b159a967891d586792",
"2524148348aa26bd9b03a02db8d0246a89d70962780c81c74b123807da2a3db4",
"586bbc0e5c42ccbbfb792e9921519bd07c4906a490b18237c37b539a48370bb3",
"727086b53a1ddcecbef149e44209c001990d2f18990528b0ba3a505f8e003b94",
"73128e7050d582f67d56ccb16c4cf9159b40e0d26be39ecf29a0083eba585e8c",
"2a9e8c8149562c7d3ec8eb8f0021b04b9b2a839d8890fb2e038546d8cfb30d07",
"f572677b5720de866ba2f58fad09a363bc57c013d85fdc4799ce39af8c081517",
"538ed95bb3e8bfe409cef8d749dba762e88b7ff5d22914204b66de1146cbc5b6",
"0x5ee691c441b063a2b0a711ff4b15286f3eb71776dccad3935955676a93c59f54",
"0x333ed4ab6b2aaa25e17abdeba5e3714f2386d3b855d394717560e67f68faa1ec",
"0x2acfb811e847c2e6dcd7cb192f3ba0a662a9849901f2ddf63eb50a111741807a",
"0x1ff7216b91f22277aa291a54dca5acb3aa553e42741498fcf3f7473dfe2c7c32",
"0x4174ae142e7ce83870712803f8dc8975d13b052d47fac006edfb0dfc73318122",
"0xafb1c1549c75b1c02ed94672bfb5f65a59ce975a6ec12c654bea211e553d62c1",
"0xc4b33424588bd96b086a8a1394aae642f724c06bc6e33e88d9d418aa280be9d1",
"0xe7825f3b211fd474dc8f85f95bf7883c5dc6923602039162aa52d8744981cdb5",
"0x3f22402f226e0c627da26b6bd781f75031a08492cbff0cbbd8ef20370a3bddf8",
"0x25c5b1592b1743b62d7fabd4373d98219c2ff3750f49ec0608a8355fa3bb060f",
"0x",
};
test "Hash256: generate hash 256 from hex string" {
for (test_hashes) |hash| {
// Determine the start index based on whether the string starts with "0x".
var idx_start: usize = 0;
if (std.mem.indexOf(u8, hash, "0x")) |i| {
if (i == 0) idx_start = 2;
}
// Concatenate "0x0" with the hexadecimal string.
const int = try std.mem.concat(
std.testing.allocator,
u8,
&[_][]const u8{ "0x0", hash[idx_start..] },
);
// Deallocate the concatenated string when the function exits.
defer std.testing.allocator.free(int);
// Assert that the `Hash256` generated from the integer representation of the hexadecimal
// string matches the one generated directly from the hexadecimal string.
try expectEqual(
try Hash256.fromHex(std.testing.allocator, hash),
Hash256.fromInt(try std.fmt.parseInt(u256, int, 0)),
);
}
}
test "Hash256: generate hash 256 shoul return an error if length is exceeded" {
// Verify that attempting to generate a `Hash256` from a hexadecimal string with exceeded
// length results in an UnexpectedLength error.
try expectError(
FromHexError.UnexpectedLength,
Hash256.fromHex(
std.testing.allocator,
"0x25c5b1592b1743b62d7fabd4373d98219c2ff3750f49ec0608a8355fa3bb060fF",
),
);
}
test "Hash256: generate hash 256 from Felt" {
for (test_hashes) |hash| {
// Determine the start index based on whether the string starts with "0x".
var idx_start: usize = 0;
if (std.mem.indexOf(u8, hash, "0x")) |i| {
if (i == 0) idx_start = 2;
}
// Concatenate "0x0" with the hexadecimal string.
const int = try std.mem.concat(
std.testing.allocator,
u8,
&[_][]const u8{ "0x0", hash[idx_start..] },
);
// Deallocate the concatenated string when the function exits.
defer std.testing.allocator.free(int);
// Assert that the `Hash256` generated directly from the hexadecimal string
// matches the one generated from the `Felt252` representing the same hash.
try expectEqual(
Hash256.fromInt(
Felt252.fromInt(
u256,
try std.fmt.parseInt(u256, int, 0),
).toU256(),
),
try Hash256.fromFelt(
Felt252.fromInt(
u256,
try std.fmt.parseInt(u256, int, 0),
),
),
);
}
}
|
0 | repos/starknet-zig/src/core | repos/starknet-zig/src/core/types/message.zig | const std = @import("std");
const expect = std.testing.expect;
const expectEqual = std.testing.expectEqual;
const expectError = std.testing.expectError;
const expectEqualSlices = std.testing.expectEqualSlices;
const expectEqualDeep = std.testing.expectEqualDeep;
const Felt252 = @import("../../math/fields/starknet.zig").Felt252;
const EthAddress = @import("./eth_address.zig").EthAddress;
const Hash256 = @import("./hash256.zig").Hash256;
pub const ParseMessageToL2Error = error{
EmptyCalldata,
FromAddressOutOfRange,
};
// Structure representing a message sent from L2 to L1.
pub const MessageToL2 = struct {
const Self = @This();
/// The Ethereum address of the sender on L1.
from_address: EthAddress,
/// The target contract address on L2.
to_address: Felt252,
/// The function selector for the contract on L1.
selector: Felt252,
/// The payload of the message.
/// This contains the data to be sent to the contract on L1.
payload: std.ArrayList(Felt252),
/// Nonce to avoid hash collisions between different L1 handler transactions.
nonce: u64,
/// Computes the hash of the message.
///
/// This method calculates the hash of the entire message structure, including
/// sender address, recipient address, function selector, payload, and nonce. It
/// utilizes the Keccak256 hashing algorithm to produce a 256-bit hash value.
///
/// Returns: Hash256 - The hash of the message.
pub fn hash(self: *const Self) Hash256 {
// Initialize a Keccak256 hash function.
var hasher = std.crypto.hash.sha3.Keccak256.init(.{});
// Update hash with padding and sender's address.
hasher.update(&[_]u8{0} ** 12);
hasher.update(&self.from_address.inner);
// Update hash with recipient address on L2.
hasher.update(&self.to_address.toBytesBe());
// Update hash with nonce.
hasher.update(&[_]u8{0} ** 24);
var buf: [8]u8 = undefined;
std.mem.writeInt(u64, &buf, self.nonce, .big);
hasher.update(&buf);
// Update hash with function selector.
hasher.update(&self.selector.toBytesBe());
// Update hash with payload length.
hasher.update(&[_]u8{0} ** 24);
std.mem.writeInt(u64, &buf, self.payload.items.len, .big);
hasher.update(&buf);
// Update hash with payload items.
for (self.payload.items) |item|
hasher.update(&item.toBytesBe());
// Finalize the hash and return the result.
var hash_bytes: [Hash256.byte_count]u8 = undefined;
hasher.final(&hash_bytes);
return .{ .inner = hash_bytes };
}
// Deallocate memory
pub fn deinit(self: *Self) void {
self.payload.deinit();
}
};
// Structure representing a message sent from L1 to L2.
pub const MessageToL1 = struct {
const Self = @This();
/// The address of the L2 contract sending the message.
from_address: Felt252,
/// The target L1 address the message is sent to.
to_address: Felt252,
/// The payload of the message.
/// This contains the data to be sent to the contract on L2.
payload: std.ArrayList(Felt252),
/// Computes the hash of the message.
///
/// This method calculates the hash of the entire message structure, including
/// sender address, recipient address, and payload. It utilizes the Keccak256
/// hashing algorithm to produce a 256-bit hash value.
///
/// Returns: Hash256 - The hash of the message.
pub fn hash(self: *Self) Hash256 {
// Initialize a Keccak256 hash function.
var hasher = std.crypto.hash.sha3.Keccak256.init(.{});
// Update hash with sender's address.
hasher.update(&self.from_address.toBytesBe());
// Update hash with recipient address on L2.
hasher.update(&self.to_address.toBytesBe());
// Update hash with payload length.
hasher.update(&[_]u8{0} ** 24);
var buf: [8]u8 = undefined;
std.mem.writeInt(u64, &buf, self.payload.items.len, .big);
hasher.update(&buf);
// Update hash with payload items.
for (self.payload.items) |item|
hasher.update(&item.toBytesBe());
// Finalize the hash and return the result.
var hash_bytes: [Hash256.byte_count]u8 = undefined;
hasher.final(&hash_bytes);
return .{ .inner = hash_bytes };
}
// Deallocate memory
pub fn deinit(self: *Self) void {
self.payload.deinit();
}
};
// Structure representing an L1 handler transaction.
pub const L1HandlerTransaction = struct {
const Self = @This();
/// Transaction hash.
transaction_hash: Felt252,
/// Version of the transaction scheme.
version: Felt252,
/// The L1->L2 message nonce field of the sn core L1 contract at the time the transaction was sent.
nonce: u64,
/// Contract address.
contract_address: Felt252,
/// Entry point selector.
entry_point_selector: Felt252,
/// The parameters passed to the function.
calldata: std.ArrayList(Felt252),
/// Parses the calldata of an L1 handler transaction into a MessageToL2 instance.
/// This function extracts necessary information from the transaction calldata to construct a MessageToL2 instance,
/// representing the message sent from L1 to L2.
///
/// Parameters:
/// - self: A pointer to the L1HandlerTransaction instance.
///
/// Returns:
/// - MessageToL2: The parsed L1->L2 message.
///
/// Throws:
/// - ParseMessageToL2Error: An error indicating failure in parsing the transaction calldata.
///
pub fn parseMessageToL2(self: *Self) !MessageToL2 {
// Check if calldata is empty.
if (self.calldata.items.len == 0) return ParseMessageToL2Error.EmptyCalldata;
// Clone the calldata to process it.
var payload = try self.calldata.clone();
// Extract the sender address from calldata.
const from_address = payload.orderedRemove(0);
// Ensure deallocation of payload resources in case of errors.
errdefer payload.deinit();
// Construct and return the MessageToL2 instance.
return .{
.from_address = EthAddress.fromFelt(from_address) catch return ParseMessageToL2Error.FromAddressOutOfRange,
.to_address = self.contract_address,
.selector = self.entry_point_selector,
.payload = payload,
.nonce = self.nonce,
};
}
// Deallocate memory used by the transaction.
pub fn deinit(self: *Self) void {
self.calldata.deinit();
}
};
test "MessageToL1: hash a message from L2 to L1" {
// Define a set of test messages including sender address, recipient address,
// payload, and expected message hash.
const messages = [_]struct {
/// The address of the L2 contract sending the message
from_address: Felt252,
/// The target L1 address the message is sent to
to_address: Felt252,
/// The payload of the message
payload: []const Felt252,
/// Hash of the message
message_hash: u256,
}{
.{
.from_address = Felt252.fromInt(
u256,
0x0710851e5f08a67ef2f7ea6814bfa4dc8976505c20e05519d7694d2c3aca433b,
),
.to_address = Felt252.fromInt(
u256,
0x706574cd158bffef3a3bbeb2288efb3ced3db1ff,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0xc),
Felt252.fromInt(u256, 0x22),
},
.message_hash = 0x623291a51d0f17c25b434684f150c27387ba16acf0633b3d9d529a08f8a89e86,
},
.{
.from_address = Felt252.fromInt(
u256,
0x0164cba33fb7152531f6b4cfc3fff26b4d7b26b4900e0881042edd607b428a92,
),
.to_address = Felt252.fromInt(
u256,
0x000000000000000000000000b6dbfaa86bb683152e4fc2401260f9ca249519c0,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x0182b8),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x0384),
Felt252.fromInt(u256, 0x0),
},
.message_hash = 0x326a04493fc8f24ac6c6ae7bdba23243ce03ec3aae53f0ed3a0d686eb8cac930,
},
.{
.from_address = Felt252.fromInt(
u256,
0x024434fb273a1ee1ac0d27638fd7a4486ab415129fee5ec0a84611f2fd77cd7f,
),
.to_address = Felt252.fromInt(
u256,
0x600fe6eaacbaefb1afa8faaafaeca5af3dd9bcc7,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0xc),
Felt252.fromInt(u256, 0x22),
},
.message_hash = 0x468d136ba58f2d4d89c13989dcc5850b9d50062985a6e9a9c70f9c369a091403,
},
.{
.from_address = Felt252.fromInt(
u256,
0x0710851e5f08a67ef2f7ea6814bfa4dc8976505c20e05519d7694d2c3aca433b,
),
.to_address = Felt252.fromInt(
u256,
0xadc0bd2dfabaaddafc787c4bfeb0fc87a72eaac2,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0xc),
Felt252.fromInt(u256, 0x22),
},
.message_hash = 0x86a4ef9c6e51866c7af125e38af99679e31580449c4e914fd659031611f926bb,
},
.{
.from_address = Felt252.fromInt(
u256,
0x024434fb273a1ee1ac0d27638fd7a4486ab415129fee5ec0a84611f2fd77cd7f,
),
.to_address = Felt252.fromInt(
u256,
0xfe7816e4f8f5f81b79ae863ef10f60ef1b4a8ae3,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0xc),
Felt252.fromInt(u256, 0x22),
},
.message_hash = 0x4516cd907b76da4e53da5a9acbbe016826e6e625195a7afee5d0d632c4f50065,
},
.{
.from_address = Felt252.fromInt(
u256,
0x024434fb273a1ee1ac0d27638fd7a4486ab415129fee5ec0a84611f2fd77cd7f,
),
.to_address = Felt252.fromInt(
u256,
0xfbc712b24a4fcff673de879f2bf89c5ee0aaa63d,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0xc),
Felt252.fromInt(u256, 0x22),
},
.message_hash = 0x0175e45959b1a7e290e96b7f1cc249a1a8852ab41e72d268b19d538c2009638b,
},
};
// Iterate through each test message.
for (messages) |message| {
// Initialize an array list to store the payload.
var payload = std.ArrayList(Felt252).init(std.testing.allocator);
// Iterate through each item in the message payload and append it to the array list.
for (message.payload) |p|
try payload.append(p);
// Create a MessageToL1 instance with the message details.
var m: MessageToL1 = .{
.from_address = message.from_address,
.to_address = message.to_address,
.payload = payload,
};
// Ensure deallocation of message resources.
defer m.deinit();
// Verify that the computed hash matches the expected message hash.
try expectEqualDeep(Hash256.fromInt(message.message_hash), m.hash());
}
}
test "MessageToL2: hash a message from L1 to L2" {
const messages = [_]struct {
/// The Ethereum address of the sender on L1.
from_address: EthAddress,
/// The target L2 address the message is sent to.
to_address: Felt252,
/// The function selector for the contract on L1.
selector: Felt252,
/// The payload of the message.
/// This contains the data to be sent to the contract on L1.
payload: []const Felt252,
/// Hash of the message.
message_hash: u256,
/// Nonce to avoid hash collisions between different L1 handler transactions.
nonce: u64,
}{
.{
.from_address = EthAddress.fromInt(0xc3511006C04EF1d78af4C8E0e74Ec18A6E64Ff9e),
.to_address = Felt252.fromInt(
u256,
0x73314940630fd6dcda0d772d4c972c4e0a9946bef9dabf4ef84eda8ef542b82,
),
.selector = Felt252.fromInt(
u256,
0x2d757788a8d8d6f21d1cd40bce38a8222d70654214e96ff95d8086e684fbee5,
),
.payload = &[_]Felt252{
Felt252.fromInt(
u256,
0x689ead7d814e51ed93644bc145f0754839b8dcb340027ce0c30953f38f55d7,
),
Felt252.fromInt(u256, 0x2c68af0bb140000),
Felt252.fromInt(u256, 0x0),
},
.nonce = 775628,
.message_hash = 0xc51a543ef9563ad2545342b390b67edfcddf9886aa36846cf70382362fc5fab3,
},
.{
.from_address = EthAddress.fromInt(0xeccd821d0322fbc176497ae39fd2a05a5072573f),
.to_address = Felt252.fromInt(
u256,
0x07fd01e7edd2a555ff389efb8335b75c3e3372f8f77aab4902a0bdb28e885975,
),
.selector = Felt252.fromInt(
u256,
0x03636c566f6409560d55d5f6d1eb4ee163b096b4698c503e69e210be79de2afa,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0x78),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x5db3cc6d76acec9582cac3a93a061e628a82218f),
Felt252.fromInt(u256, 0x16345785d8a0000),
Felt252.fromInt(u256, 0x0),
},
.nonce = 4433,
.message_hash = 0x36a1da35d6bf1166fac4a0eb366f58c1c336a82206b36b652159fa0735872dd8,
},
.{
.from_address = EthAddress.fromInt(0xdf1749d882ead070cc4aa69b74099ca5e4735bde),
.to_address = Felt252.fromInt(
u256,
0x0534233eb95a16b0d7aeb0fc61c28bf4851dd9db65c26da713147158d4921c93,
),
.selector = Felt252.fromInt(
u256,
0x03a493c40bf366f3d64e83bea39bf20faadd8299c0639a7c31db908d136ea42e,
),
.payload = &[_]Felt252{
Felt252.fromInt(u256, 0x11eacac3e378147d46150d6923a183403b05c0cc),
Felt252.fromInt(u256, 0xf3cf63d2d52e6a4e75028a965f9ce4c5e3d9432a),
Felt252.fromInt(u256, 0x4eccd262bb9aee6a7a35e5996ab299aca3dfaa560354d8543804e75a127a312),
Felt252.fromInt(u256, 0x2540be400),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x5f5e100),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(
u256,
0x4eccd262bb9aee6a7a35e5996ab299aca3dfaa560354d8543804e75a127a312,
),
Felt252.fromInt(u256, 0x9),
Felt252.fromInt(
u256,
0x239c3f1deaeeae3d48f2e4fa80eacd798228bd4048a6e7cb49a332123d33270,
),
Felt252.fromInt(
u256,
0x7fdd30e5c5f665ab0424325a32d2bc98b4c2da77923851d8aa1701dead305aa,
),
Felt252.fromInt(u256, 0x1),
Felt252.fromInt(u256, 0x989680),
Felt252.fromInt(u256, 0x0),
Felt252.fromInt(u256, 0x7a6b787a6b787a6b78),
Felt252.fromInt(u256, 0x7a6b787a6b787a6b78),
Felt252.fromInt(
u256,
0x4a568581c0c94c4c6a0eef518fa67f1976bffa2dfac12ea6bba452ef81e99d5,
),
Felt252.fromInt(
u256,
0x25bcb079cb1d5bde2931b0655d9990f3dacf75973216b3db793c78e2db518fe,
),
},
.nonce = 4447,
.message_hash = 0x16a619b7c4d3e693804979eb6ed8a43b4a2f85a06776bc1ca69d2561bb1b721f,
},
};
// Iterate through each test message.
for (messages) |message| {
// Initialize an array list to store the payload.
var payload = std.ArrayList(Felt252).init(std.testing.allocator);
// Iterate through each item in the message payload and append it to the array list.
for (message.payload) |p|
try payload.append(p);
// Create a MessageToL2 instance with the message details.
var m: MessageToL2 = .{
.from_address = message.from_address,
.to_address = message.to_address,
.payload = payload,
.nonce = message.nonce,
.selector = message.selector,
};
// Ensure deallocation of message resources.
defer m.deinit();
// Verify that the computed hash matches the expected message hash.
try expectEqualDeep(Hash256.fromInt(message.message_hash), m.hash());
}
}
test "L1HandlerTransaction: parse a message to L2" {
// Initialize calldata containing parameters of the L1 handler transaction.
var calldata = std.ArrayList(Felt252).init(std.testing.allocator);
// Append parameters to the calldata.
try calldata.append(Felt252.fromInt(u256, 0xc3511006c04ef1d78af4c8e0e74ec18a6e64ff9e));
try calldata.append(Felt252.fromInt(u256, 0x689ead7d814e51ed93644bc145f0754839b8dcb340027ce0c30953f38f55d7));
try calldata.append(Felt252.fromInt(u256, 0x2c68af0bb140000));
try calldata.append(Felt252.fromInt(u256, 0x0));
// Create an instance of L1HandlerTransaction with mock data.
var l1_handler_tx: L1HandlerTransaction = .{
.transaction_hash = Felt252.fromInt(
u256,
0x374286ae28f201e61ffbc5b022cc9701208640b405ea34ea9799f97d5d2d23c,
),
.version = Felt252.zero(),
.nonce = 775628,
.contract_address = Felt252.fromInt(
u256,
0x73314940630fd6dcda0d772d4c972c4e0a9946bef9dabf4ef84eda8ef542b82,
),
.entry_point_selector = Felt252.fromInt(
u256,
0x2d757788a8d8d6f21d1cd40bce38a8222d70654214e96ff95d8086e684fbee5,
),
.calldata = calldata,
};
defer l1_handler_tx.deinit(); // Deallocate memory on exit.
// Parse the L1 handler transaction to construct a MessageToL2 instance.
var message_to_l2 = try l1_handler_tx.parseMessageToL2();
defer message_to_l2.deinit(); // Deallocate memory on exit.
// Verify the correctness of the parsed message hash.
try expectEqualDeep(
Hash256.fromInt(0xc51a543ef9563ad2545342b390b67edfcddf9886aa36846cf70382362fc5fab3),
message_to_l2.hash(),
);
}
|
0 | repos/starknet-zig/src/core/test-data | repos/starknet-zig/src/core/test-data/raw_gateway_responses/generate_responses.sh | #!/bin/sh
set -e
mkdir -p ./get_block/
mkdir -p ./get_block_traces/
mkdir -p ./get_class_by_hash/
mkdir -p ./get_state_update/
mkdir -p ./get_transaction/
mkdir -p ./get_transaction_status/
mkdir -p ./get_transaction_trace/
# ./get_block/1_with_transactions.txt
curl -o ./get_block/1_with_transactions.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=100"
# ./get_block/2_with_messages.txt
curl -o ./get_block/2_with_messages.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=102"
# ./get_block/3_with_events.txt
curl -o ./get_block/3_with_events.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=70000"
# ./get_block/4_pending.txt (non-deterministic)
curl -o ./get_block/4_pending.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=pending"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/5_with_class_hash_and_actual_fee.txt
curl -o ./get_block/5_with_class_hash_and_actual_fee.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=1"
# ./get_block/6_with_sequencer_address.txt
curl -o ./get_block/6_with_sequencer_address.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=200000"
# ./get_block/7_with_declare_tx.txt
curl -o ./get_block/7_with_declare_tx.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=209679"
# ./get_block/8_with_starknet_version.txt
curl -o ./get_block/8_with_starknet_version.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=200000"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/9_with_messages_without_nonce.txt
curl -o ./get_block/9_with_messages_without_nonce.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=1"
# ./get_block/10_with_l1_handler.txt
curl -o ./get_block/10_with_l1_handler.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=77881"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/11_without_execution_resources.txt
curl -o ./get_block/11_without_execution_resources.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=1"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/12_l1_handler_without_nonce.txt
curl -o ./get_block/12_l1_handler_without_nonce.txt "https://alpha-mainnet.starknet.io/feeder_gateway/get_block?blockNumber=1"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/13_without_entry_point.txt
curl -o ./get_block/13_without_entry_point.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=1"
# ./get_block/14_deploy_account.txt
curl -o ./get_block/14_deploy_account.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=228457"
# ./get_block/15_declare_v2.txt
curl -o ./get_block/15_declare_v2.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=283364"
# NOTE: block with the same criteria not found in goerli-integration yet
# ./get_block/16_with_reverted_tx.txt
curl -o ./get_block/16_with_reverted_tx.txt "https://external.integration.starknet.io/feeder_gateway/get_block?blockNumber=1"
# ./get_transaction/1_invoke.txt
curl -o ./get_transaction/1_invoke.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x6c26da8c26aa61dc40ed36b9078536f3b5b0532e884a8f0b7488480580bf3c9"
# ./get_transaction/2_deploy.txt
curl -o ./get_transaction/2_deploy.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x2cce6f468d865bf93476c7a96b7ce0ca3d26a6ffbb4ba93a027a67f0d2e2773"
# ./get_transaction/3_not_received.txt
curl -o ./get_transaction/3_not_received.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0xffffffffffffffffffffffffffffffffffffffffffffffffffffffffffffff"
# NOTE: transaction with the same criteria not found in goerli-integration yet
# ./get_transaction/4_failure.txt
curl -o ./get_transaction/4_failure.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x1"
# ./get_transaction/5_declare_v1.txt
curl -o ./get_transaction/5_declare_v1.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x42d25cc0876a5885be10d59d9d665821ac17965fcb47dd6c0c633dbcc7c4bb6"
# ./get_transaction/6_declare_v2.txt
curl -o ./get_transaction/6_declare_v2.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x722b666ce83ec69c18190aae6149f79e6ad4b9c051b171cc6c309c9e0c28129"
# NOTE: transaction with the same criteria not found in goerli-integration yet
# ./get_transaction/7_reverted.txt
curl -o ./get_transaction/7_reverted.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x1"
# ./get_transaction/8_invoke_v3.txt
curl -o ./get_transaction/8_invoke_v3.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x4eaf2732c8459e8de553f50d6aeb989f4b1173a9ff5579a55e8aea8b01d0a44"
# ./get_transaction/9_declare_v3.txt
curl -o ./get_transaction/9_declare_v3.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x41d1f5206ef58a443e7d3d1ca073171ec25fa75313394318fc83a074a6631c3"
# ./get_transaction/10_deploy_account_v3.txt
curl -o ./get_transaction/10_deploy_account_v3.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction?transactionHash=0x29fd7881f14380842414cdfdd8d6c0b1f2174f8916edcfeb1ede1eb26ac3ef0"
# ./get_transaction_status/1_accepted.txt
curl -o ./get_transaction_status/1_accepted.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_status?transactionHash=0x6c26da8c26aa61dc40ed36b9078536f3b5b0532e884a8f0b7488480580bf3c9"
# ./get_transaction_status/2_not_received.txt
curl -o ./get_transaction_status/2_not_received.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_status?transactionHash=0x7cb73f737a8ea0c5c94d7799c2d01a47c81f4cb34287408741264d3f09655d"
# NOTE: transaction with the same criteria not found in goerli-integration yet
# ./get_transaction_status/3_failure.txt
curl -o ./get_transaction_status/3_failure.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_status?transactionHash=0x1"
# NOTE: transaction with the same criteria not found in goerli-integration yet
# ./get_transaction_status/4_reverted.txt
curl -o ./get_transaction_status/4_reverted.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_status?transactionHash=0x1"
# ./get_state_update/1_success.txt
curl -o ./get_state_update/1_success.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=70004"
# ./get_state_update/2_pending_block.txt (non-deterministic)
curl -o ./get_state_update/2_pending_block.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=pending"
# ./get_state_update/3_with_declarations.txt
curl -o ./get_state_update/3_with_declarations.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=283364"
# ./get_state_update/4_with_nonce_changes.txt
curl -o ./get_state_update/4_with_nonce_changes.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=306608"
# ./get_state_update/5_with_declare_v2.txt
curl -o ./get_state_update/5_with_declare_v2.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=283364"
# ./get_state_update/6_with_replaced_classes.txt
# NOTE: block with the same criteria not found in goerli-integration yet
curl -o ./get_state_update/6_with_replaced_classes.txt "https://external.integration.starknet.io/feeder_gateway/get_state_update?blockNumber=1"
# ./get_transaction_trace/1_with_messages.txt
curl -o ./get_transaction_trace/1_with_messages.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_trace?transactionHash=0xbf7dc15a05a3a20af67cede6d6b01dc51527a66c76d62e65e3786f6859658d"
# ./get_transaction_trace/2_with_events.txt
curl -o ./get_transaction_trace/2_with_events.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_trace?transactionHash=0x7d0d0dcc9e8d18a70c7ee767132be57fef01182c5924adeb5796fcbc8bee967"
# ./get_transaction_trace/3_with_call_type.txt
curl -o ./get_transaction_trace/3_with_call_type.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_trace?transactionHash=0x4eaf2732c8459e8de553f50d6aeb989f4b1173a9ff5579a55e8aea8b01d0a44"
# NOTE: transaction with the same criteria not found in goerli-integration yet
# ./get_transaction_trace/4_with_validation.txt
curl -o ./get_transaction_trace/4_with_validation.txt "https://external.integration.starknet.io/feeder_gateway/get_transaction_trace?transactionHash=0x1"
# ./get_class_by_hash/1_cairo_0.txt
curl -o ./get_class_by_hash/1_cairo_0.txt "https://external.integration.starknet.io/feeder_gateway/get_class_by_hash?classHash=0x025ec026985a3bf9d0cc1fe17326b245dfdc3ff89b8fde106542a3ea56c5a918"
# ./get_class_by_hash/2_not_declared.txt
curl -o ./get_class_by_hash/2_not_declared.txt "https://external.integration.starknet.io/feeder_gateway/get_class_by_hash?classHash=0x111111111111111111111111"
# ./get_class_by_hash/3_cairo_1.txt
curl -o ./get_class_by_hash/3_cairo_1.txt "https://external.integration.starknet.io/feeder_gateway/get_class_by_hash?classHash=0x01a736d6ed154502257f02b1ccdf4d9d1089f80811cd6acad48e6b6a9d1f2003"
# ./get_block_traces/1_success.txt
curl -o ./get_block_traces/1_success.txt "https://external.integration.starknet.io/feeder_gateway/get_block_traces?blockNumber=267588"
|
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_class_by_hash/3_cairo_1.txt | {"contract_class_version": "0.1.0", "sierra_program": ["0x1", "0x2", "0x0", "0x2", "0x0", "0x0", "0xb6b", "0x495", "0xdc", "0x52616e6765436865636b", "0x0", "0x4761734275696c74696e", "0x66656c74323532", "0x4172726179", "0x1", "0x2", "0x536e617073686f74", "0x3", "0x537472756374", "0x1baeba72e79e9db2587cf44fedb2f3700b2075a5e8e39a562584862c4b71f62", "0x4", "0x436f6e747261637441646472657373", "0x3693aea200ee3080885d21614d01b9532a8670f69e658a94addaadd72e9aca", "0x6", "0x7", "0x2ee1e2b1b89f8c495f200e4956278a4d47395fe262f27b52e5865c9524c08c3", "0x456e756d", "0x28f184fd9e4406cc4475e4faaa80e83b54a57026386ee7d5fc4fa8f347e327d", "0x8", "0x9", "0x5", "0xa", "0x14de46c93830b854d231d540339ee8ae16bb18830a375fe81572a472d5945f1", "0xc", "0x2872422f4eae164f52022a3d9ed2c5a2a9065da5f91ed37431a700dbe6e986b", "0xb", "0xd", "0x753332", "0x3288d594b9a45d15bb2fcb7903f06cdb06b27f0ba88186ec4cfaa98307cb972", "0x4275696c74696e436f737473", "0x2c0d43e92d76a45659f0b697b9d8399be5ce9caf9809f01d805a7827a9f368b", "0x132e9b3bde7bb5a3b35e9cb467df6497f9e595756495bb732f6d570d020415b", "0x3eb025eec2624dfbbbc1527da25edeeadb5d065598bf16c4d6767d622f68b3", "0x28c643274592e2abc8d6d5b6be3ac4d05f693274f69a71116ba9f34e71f0e49", "0xd2df414ffcda9bc327e41f128f46e0121aaf753e4b9b3aa3842805109c6b9c", "0x168a19d9c33230785040a214b5b2861704cabc56be86e2d06b962ccb752e178", "0x25d56f41e1487d276dcf6b27f6936fa06c930e00004e9174cd19b99e70bbe57", "0x35c73308c1cfe40d0c45541b51ef1bdfd73c604f26df19c53c825cb3f79337f", "0x49cb7bc68923048657537e3d62ec3c683cd4a72c21defe9aafefe955763bc3", "0x12", "0x13", "0x14", "0x15", "0x16", "0x17", "0x18", "0x19", "0x45634f70", "0x53797374656d", "0x1a", "0x3aa9a19f05f2852f2cac587710738c8ca96ca6f1d55402522f4e9080c417782", "0x1d", "0x19b3b4955bdcfa379bfc5a4949111c4efdd79128f8676f4d0895419b22e2ad7", "0x1f", "0x556e696e697469616c697a6564", "0x1c", "0x22", "0x273a31807ab152305389aa8b68ec07ccbfe8dfde299241facb5cd7d87c7eb8a", "0x23", "0x1dd6d80faabe40b870e2bac9bae20133f8a150c977bf480085e39aaa4e0362a", "0x26", "0x11c6d8087e00642489f92d2821ad6ebd6532ad1a3b6d12833da6d6810391511", "0x17b6ecc31946835b0d9d92c2dd7a9c14f29af0371571ae74a1b228828b2242", "0x2a", "0x262b845bbedf41820bc2b34dc2faff0bab3fa4d4d8a1bb282deca598d4a3627", "0x2b", "0x2f528e3c691e195fca674982b69c0dc4284f206c3ea4d680220e99b59315a92", "0x2d", "0x506564657273656e", "0x2f", "0x1b", "0x753634", "0x13d20f70b017632fd676250ec387876342924ff0d0d3c80e55961780f4e8f", "0x33", "0x179749167d3bd5ec9f49b35931aeaa79432c7f176824049eca4db90afd7d49d", "0x32", "0x34", "0x35", "0x3d7bb709566af24f4a28309c9d9b89d724fd194c2992d536ab314b4d7eae195", "0x37", "0x3209ac1b85c2191fe97194b13f4bdfed29e89e78a1338d9d73cb98474dfae5a", "0x38", "0x10", "0x358506fd2d97ec152c79646571b0b818eb31f8ed5ffd4080a2e22571074b909", "0x3a", "0x436c61737348617368", "0x3c", "0x11771f2d3e7dc3ed5afe7eae405dfd127619490dec57ceaa021ac8bc2b9b315", "0x12ac6c758b8836b49f5f132ddaee37724bc734e405ca6a2514dfcd9f53aec58", "0x3f", "0xad00da0c82d9bb5619cd07bc862005938954f64876663b63f058d5351bbbb1", "0x41", "0x25b1f5eb403a7e1245e380d4654dabdc9f9f3158b939512eb4c8cbe540d220f", "0x43", "0x72eed1ff90454d4ee83e0d0841db171293ff5d1b991ef68095521941376efd", "0x44", "0x7538", "0x12273f170557bf9e9616162ba3a242ac99ba93810c9c4d21d3c4575f07822ae", "0x46", "0xf", "0x3840086d8220f2d1639cf978fb701dd671faa8e4b9973fd7a4c3cf1f06d04e", "0x48", "0x1bdcbe0bb2973c3eed7f3cd959974b2236966c71d9784fcffce00300852eee9", "0x4a", "0x4b", "0xc9447c0781360856f987ed580e881ac951c6a5015bde94c79cb189cc8cccb0", "0x4c", "0x426f78", "0x29d7d57c04a880978e7b3689f6218e507f3be17588744b58dc17762447ad0e7", "0x4e", "0x125048bba125edb4f72a816890f2f63324d796e84a92b9bd1eb3a97f4e938ee", "0x50", "0x4e6f6e5a65726f", "0x75313238", "0x2e655a7513158873ca2e5e659a9e175d23bf69a2325cdd0397ca3b8d864b967", "0x53", "0x54", "0x55", "0x32463e9d13536f0a0b55a828c16b744aa8b58f21fd9e164166d519bb3412bcc", "0x56", "0x27f9c9f4e4a3578b197e28a3ed578eb2b57f93483b1dc21e6770e7e7b704f34", "0x59", "0x28f8d296e28032baef1f420f78ea9d933102ba47a50b1c5f80fc8a3a1041da", "0x25", "0x1eaf57b3a55713f7b468e69aa1d7c98efdf6cf624a2d3d2eb66831111304527", "0x5b", "0x3d37ad6eafb32512d2dd95a2917f6bf14858de22c27a1114392429f2e5c15d7", "0x156b6b29ca961a0da2cfe5b86b7d70df78ddc905131c6ded2cd9024ceb26b4e", "0x341d38eba34b7f63af136a2fa0264203bb537421424d8af22f13c0486c6bd62", "0x61", "0x2df4ac612d9f474861b19bfadb9282eb6a9e96dbffcd47e6c1fe7088ef7e08b", "0x62", "0x1f43b8beb72009fc550a271a621f219147c6418e55f99e720aa9256b80b9a2a", "0x6c", "0x3d084941540057ac1b90e9a1a0c84b383e87f84fada8a99f139871e1f6e96c0", "0xebaa582aec1bbd01a11c61ed232150d86283ceff85ead1aa2143443285ecd4", "0x6f", "0x2ce5530c67c658502ea15626eae6f33d2ffd2c4f7aedda0fe2fe23e013169d7", "0x101dc0399934cc08fa0d6f6f2daead4e4a38cabeea1c743e1fc28d2d6e58e99", "0xd3a26a7712a33547a4a74e7594a446ca400cb36a0c2c307b92eff9ce82ff8", "0x74", "0x38e79b5062b6ee36022a8f19492101094c935ac54b64421943cf85730efa145", "0x1e75a35b461a190303f5117738d6cd6cb9c3330a1be0c7e80290facbcdb72e7", "0x13c91f3cba438dd54eb596a082e165d9ede6281c321682acd3c28e15602ffb", "0x78", "0x1338d3578fef7f062927553e61e2ae718b31f7ddb054229e02303195a8e937d", "0x7b", "0x2132e29887635235b81487fc052f08dcce553a7bd46b2ec213485351698f9f2", "0x7d", "0x29299a4dd8765e5a9821476c7b9eaceeff6cc036d7a0c0dd8af3327e16e738f", "0x10f7a39f148bf9911ddb05e828725f238c5461d0e441b8a55ba8195ddc99eaf", "0x80", "0x3cffb882a9a02817bd5278228221c142582b97b73612a2bbad46cdded2c9c26", "0x82", "0x31d5a371e34511d0b36bb55d7b0cfca1b435f02053210dd4e77f1795b096fe9", "0x84", "0x3431146377142ad86dc873f4632d2e74caabb9230a37c8de068dd9513ea9898", "0x23fbc0021ccc20b54491663a4362d8a5bc4b7622741854f8f82b6b7d98740a6", "0x87", "0x3ded11b5c9ebee7f65144ad131a8e99a0a0830b43a6f55f34b7d3bf2b573302", "0x89", "0x2f64612c614fe41cb181d4813fe491b6992fd5cb42a2f2506362892a67ed730", "0x8b", "0x2a6f1ee5bbefc28eff9a98f2cbd5f2792f8f09998567ff2689faac1b54841b9", "0x2d61d819a9e4e98f23d58ee684c80f695821db9bc0dd70d02f6228b3d35013e", "0x34f3666fe156bf2469fed4ce24c81ae279169871818ad2c3733d6b0f846b1a1", "0x8f", "0x92647fce35633aa7cfaae80402c5d0df0f10c80acd6d4bf29224e8a80804a4", "0x9fcd95695b8c42ae1ac98f26d057950e768e98cd086c08bc62fc58b62ef6f0", "0x92", "0x23282f06f16b4d2d37f3d174562114d8e0460305ae51765c43e40266d6110d9", "0x17fb4856a1135e156fe87a2e0d50bd936f7437e8e927a4437d47e4f1e485f09", "0x16f3778660f5b9a5d10874a05d72e83b94fe89bac3d59b05e391352b1a7aec1", "0x1e7a3e04b3d1e82da51c455bc65a8a044bd017c2784aa56b04898a279eea98c", "0xc087f9a3230c11dd5a7f2adbd0fee01c0a5eb6182581c2598b6b0ade81bc3a", "0x3439adb3e4f0f99830a6dfb70c506440f8fb2ad2cb18512dcf5062ee25b3918", "0x18508a22cd4cf1437b721f596cd2277fc0a5e4dcd247b107ef2ef5fd2752cf7", "0x9a", "0x3dc696c835d6ea393cef16637741cc327e8f6be35db50ef242ea06cdeae47aa", "0x9b", "0x3808c701a5d13e100ab11b6c02f91f752ecae7e420d21b56c90ec0a475cc7e5", "0x9d", "0x19367431bdedfe09ea99eed9ade3de00f195dd97087ed511b8942ebb45dbc5a", "0x9e", "0x9f", "0xa0", "0x26c97610bba318e7be7ed9746815afccc1b89e6a3174fbec5d5534288167ac7", "0xa1", "0xa3", "0xa4", "0x3f5595797ca73d9ac98a47c023f16f9675e924b1f5b8732cb923783062e0e9c", "0xa5", "0x2279da0a991198935efd413ccdec7236f9ff34ecfc870ec2376d7f044337bdb", "0xa7", "0xe", "0x29a4451ccf4ec2f45bf46114a4107522e925bd156e7a0755f94e1b4a9f0f759", "0x99", "0x5c", "0x95", "0x96", "0x97", "0x98", "0x86", "0x8d", "0x91", "0x94", "0x76", "0x7f", "0x8e", "0xc557fedbc200e59b686799bd8c95f94bc6452bc987295354063228797ffe79", "0xaa", "0x1f5d91ca543c7f9a0585a1c8beffc7a207d4af73ee640223a154b1da196a40d", "0xad", "0xaf", "0x97667cd4a7b6c408c987bc31ccfeb87330105dcbea0ccc479dcef916c9c14e", "0xb0", "0x82e10b563da3b07f9855f46392dec37b4b43359d940178db92615e0b07446", "0xb2", "0x53746f726167654261736541646472657373", "0x248e8fae2f16a35027771ffd74d6a6f3c379424b55843563a18f566bba3d905", "0x1b59390b367137d6eb44c3792fc90406d53b6e7b6f56f72cb82d4d19b7519d0", "0xb6", "0x53746f7261676541646472657373", "0x161ee0e6962e56453b5d68e09d1cabe5633858c1ba3a7e73fee8c70867eced0", "0x2d7b9ba5597ffc180f5bbd030da76b84ecf1e4f1311043a0a15295f29ccc1b0", "0x90d0203c41ad646d024845257a6eceb2f8b59b29ce7420dd518053d2edeedc", "0x14a7ddbb1150a2edc3d078a24d9dd07049784d38d10f9253fc3ece33c2f46a3", "0xbc", "0x4c63dc3c228ce57ac3db7c6549a0264844f765e132dc50ea81033c93e01e83", "0xbd", "0x1c85cfe38772db9df99e2b01984abc87d868a6ed1abf1013cf120a0f3457fe1", "0x17fc4845052afc079cefa760760a2d2779b9b7b61a8147b160ffdac979427b0", "0xc1", "0x2e53ad4d5ceb4d3481ef21842c2a6b389bd01e8650d6b4abe90a49e7067d43b", "0xc2", "0x73", "0x2f0c6e95609e1148599821032681af9af0899172cfe34d8347ab78e46cfd489", "0xc4", "0x2fffb69a24c0eccf3220a0a3685e1cefee1b1f63c6dcbe4030d1d50aa7a7b42", "0x1289347a53bd537cb2be622dc3ef1bae97ae391de352ed7871b08a409f130a8", "0xc7", "0xfcd97190f892337fa74b5f71ab0858bd462389f0dc97f3e8491dc3eb8de023", "0xc8", "0x2c7badf5cd070e89531ef781330a9554b04ce4ea21304b67a30ac3d43df84a2", "0x39a088813bcc109470bd475058810a7465bd632650a449e0ab3aee56f2e4e69", "0x107ac1be595c82e927dbf964feb2e59168314a4f142e387bb941abb5e699f5e", "0xcc", "0x4563506f696e74", "0xcf", "0x3e4e624a497e446ce523f5b345c07be6fab07dbff47534532460e9a8288be43", "0xd1", "0x622be99a5124cfa9cd5718f23d0fddef258c1f0e40a1008568f965f7bd6192", "0xd2", "0xcd9deb349f6fb32e657baec1ad634c533f483d4a7d58d9b614521369f9345a", "0xd4", "0x19b9ae4ba181a54f9e7af894a81b44a60aea4c9803939708d6cc212759ee94c", "0x293a0e97979ae36aff9649e1d1e3a6496fc083b45da3f24c19ad5e134f26c9d", "0xd8", "0x45635374617465", "0xc048ae671041dedb3ca1f250ad42a27aeddf8a7f491e553e7f2a70ff2e1800", "0x442", "0x7265766f6b655f61705f747261636b696e67", "0x656e61626c655f61705f747261636b696e67", "0x77697468647261775f676173", "0x6272616e63685f616c69676e", "0x73746f72655f74656d70", "0x66756e6374696f6e5f63616c6c", "0x21", "0x656e756d5f6d61746368", "0x7374727563745f6465636f6e737472756374", "0x61727261795f6c656e", "0x736e617073686f745f74616b65", "0x64726f70", "0x7533325f636f6e7374", "0x72656e616d65", "0x7533325f6571", "0x7374727563745f636f6e737472756374", "0x656e756d5f696e6974", "0x6a756d70", "0x626f6f6c5f6e6f745f696d706c", "0x6765745f6275696c74696e5f636f737473", "0x11", "0x77697468647261775f6761735f616c6c", "0x64697361626c655f61705f747261636b696e67", "0x1e", "0x61727261795f6e6577", "0x20", "0x66656c743235325f636f6e7374", "0x4f7574206f6620676173", "0x61727261795f617070656e64", "0x24", "0x496e70757420746f6f206c6f6e6720666f7220617267756d656e7473", "0x496e70757420746f6f2073686f727420666f7220617267756d656e7473", "0x616c6c6f635f6c6f63616c", "0x66696e616c697a655f6c6f63616c73", "0x73746f72655f6c6f63616c", "0x27", "0x29", "0x28", "0x2c", "0x2e", "0x39", "0x31", "0x30", "0x36", "0x3b", "0x3e", "0x40", "0x3d", "0x42", "0x45", "0x47", "0x417267656e744163636f756e74", "0x49", "0x4d", "0x302e332e30", "0x61727261795f736e617073686f745f706f705f66726f6e74", "0x4f", "0x756e626f78", "0x51", "0x636f6e74726163745f616464726573735f746f5f66656c74323532", "0x66656c743235325f737562", "0x66656c743235325f69735f7a65726f", "0x52", "0x57", "0x56414c4944", "0x617267656e742f6e6f6e2d6e756c6c2d63616c6c6572", "0x100000000000000000000000000000001", "0x5a", "0x58", "0x617267656e742f696e76616c69642d74782d76657273696f6e", "0x647570", "0x5f", "0x60", "0x63", "0x5d", "0x5e", "0x414e595f43414c4c4552", "0x6d", "0x7536345f6f766572666c6f77696e675f737562", "0x4163636f756e742e657865637574655f66726f6d5f6f757473696465", "0x6e", "0x537461726b4e6574204d657373616765", "0x706564657273656e", "0x1bfc207425a47a5dfa1a50a4f5241203f50624ca5fdf5e18755765416b8e288", "0x70", "0x6a", "0x68", "0x64", "0x67", "0x66", "0x65", "0x6b", "0x69", "0x617267656e742f6475706c6963617465642d6f7574736964652d6e6f6e6365", "0x617267656e742f696e76616c69642d74696d657374616d70", "0x617267656e742f696e76616c69642d63616c6c6572", "0x636c6173735f686173685f7472795f66726f6d5f66656c74323532", "0x72", "0x2ceccef7f994940b3962a6c67e0ba4fcd37df7d131417c604f91e03caecc1cd", "0x7265706c6163655f636c6173735f73797363616c6c", "0x75", "0x77", "0x79", "0x71", "0x617267656e742f696e76616c69642d696d706c656d656e746174696f6e", "0x617267656e742f6f6e6c792d73656c66", "0x7a", "0x617267656e742f6261636b75702d73686f756c642d62652d6e756c6c", "0x7c", "0x636c6173735f686173685f636f6e7374", "0x7e", "0x81", "0x617267656e742f696e76616c69642d63616c6c73", "0x617267656e742f6e756c6c2d6f776e6572", "0x100000000000000000000000000000002", "0x83", "0x7536345f636f6e7374", "0x85", "0x88", "0x8a", "0x8c", "0x90", "0x93", "0x617267656e742f677561726469616e2d7265717569726564", "0x617267656e742f63616e6e6f742d6f766572726964652d657363617065", "0x93a80", "0x617267656e742f696e76616c69642d657363617065", "0x75385f636f6e7374", "0x7533325f746f5f66656c74323532", "0x3f918d17e5ee77373b56385708f855659a07f75997f365cf87748628532a055", "0x68cfd18b92d1907b8ba3cc324900277f5a3622099431ea85dd8089255e4181", "0x1ffc9a7", "0xa66bd575", "0x3943f10f", "0x617267656e742f696e76616c69642d7369676e6174757265", "0x9c", "0xa2", "0xa6", "0x7374727563745f736e617073686f745f6465636f6e737472756374", "0x26e71b81ea2af0a2b5c6bfceb639b4fc6faae9d8de072a61fc913d3301ff56b", "0x617267656e742f696e76616c69642d677561726469616e2d736967", "0x617267656e742f696e76616c69642d63616c6c64617461", "0x395b662db8770f18d407bbbfeebf45fffec4a7fa4f6c7cee13d084055a9387d", "0x29ce6d1019e7bef00e94df2973d8d36e9e9b6c5f8783275441c9e466cb8b43", "0x617267656e742f696e76616c69642d6f776e65722d736967", "0x3ad2979f59dc1535593f6af33e41945239f4811966bcd49314582a892ebcee8", "0x1a1e41f464a235695e5050a846a26ca22ecc27acac54be5f6666848031efb8f", "0x617267656e742f666f7262696464656e2d63616c6c", "0xa8", "0xa9", "0xab", "0x656d69745f6576656e745f73797363616c6c", "0xae", "0xac", "0xb1", "0x21adb5788e32c84f69a1863d85ef9394b7bf761a0ce1190f826984e5075c371", "0xb3", "0xb4", "0xb5", "0xb7", "0x11ff76fe3f640fa6f3d60bbd94a3b9d47141a2c96f87fdcfbeb2af1d03f7050", "0x7536345f746f5f66656c74323532", "0x73746f726167655f616464726573735f66726f6d5f62617365", "0x73746f726167655f77726974655f73797363616c6c", "0xfe80f537b66d12a00b6d3c072b44afbb716e78dde5c3f0ef116ee93d3e3283", "0x6c6962726172795f63616c6c5f73797363616c6c", "0xb9", "0xba", "0x52657475726e6564206461746120746f6f2073686f7274", "0x73746f726167655f626173655f616464726573735f636f6e7374", "0x1ccc09c8a19948e048de7add6929589945e25f22059c7345aaf7837188d8d05", "0xb8", "0x73746f726167655f726561645f73797363616c6c", "0xbb", "0x31e7534f8ddb1628d6e07db5c743e33403b9a0b57508a93f4c49582040a2f71", "0x1c0f41bf28d630c8a0bd10f3a5d5c0d1619cf96cfdb7da51b112c420ced36c9", "0xf920571b9f85bdd92a867cfdc73319d0f8836f0e69e06e4c5566b6203f75cc", "0xbe", "0x636c6173735f686173685f746f5f66656c74323532", "0xbf", "0x617267656e742f6e6f2d6d756c746963616c6c2d746f2d73656c66", "0x1746f7542cac71b5c88f0b2301e87cd9b0896dab1c83b8b515762697e521040", "0xc0", "0x13f17de67551ae34866d4aa875cbace82f3a041eaa58b1d9e34568b0d0561b", "0xc3", "0x7536345f6571", "0xc5", "0x109831a1d023b114d1da4655340bd1bb108c4ddf1bba00f9330573c23f34989", "0x3a3f1aae7e2c4017af981d69ebf959c39e6f1c53b8ffa09a3ed92f40f524ec7", "0x7536345f6f766572666c6f77696e675f616464", "0xc6", "0x7536345f616464204f766572666c6f77", "0x75385f746f5f66656c74323532", "0xc9", "0x6765745f657865637574696f6e5f696e666f5f73797363616c6c", "0xca", "0x61727261795f676574", "0x496e646578206f7574206f6620626f756e6473", "0x753132385f636f6e7374", "0xb1a2bc2ec50000", "0x753132385f6f766572666c6f77696e675f737562", "0x7533325f6f766572666c6f77696e675f737562", "0x617267656e742f6d61782d6573636170652d617474656d707473", "0x617267656e742f6d61782d6665652d746f6f2d68696768", "0x7533325f6f766572666c6f77696e675f616464", "0xcb", "0x7533325f616464204f766572666c6f77", "0xcd", "0x63616c6c5f636f6e74726163745f73797363616c6c", "0x66656c743235325f616464", "0x617267656e742f6d756c746963616c6c2d6661696c6564", "0x1d9ca8a89626bead91b5cb4275a622219e9443975b34f3fdbc683e8621231a9", "0x1dcde06aabdbca2f80aa51392b345d7549d7757aa855f7e37f5d335ac8243b1", "0x1eb8543121901145815b1fa94ab7062e6ecb788bee88efa299b9866bab0bd64", "0x3c93161122e8fd7a48238feee22dd3d7d49a69099523547d4a7cc7c460fc9c4", "0x250670a8d933a7d458c994fc396264aba18fc1f1b9136990bb0923a27eaa060", "0x2811029a978f84c1f4c4fc70c0891f83642ded105942eda119ddc941376122e", "0x11a96d42fc514f9d4f6f7083acbde6629ff1d2753bf6d25156be7b03e5e1207", "0x67753421a99564465b580dcc61f1e7befc7fd138c447dae233bba1d477458c", "0xd885f12a9241174cd02e71d9c751eec91ebc58dffa0addd86642969cbe006f", "0x2e200b0f001d9c2e6cb94ab8cc4907810f7fe134eca20d8d02224ac5e94e01f", "0x2b2db2ed38136ca6c54b95187166f98ea84503db8768617a558705b508fec82", "0x38f6a5b87c23cee6e7294bcc3302e95019f70f81586ff3cac38581f5ca96381", "0xca58956845fecb30a8cb3efe23582630dbe8b80cc1fb8fd5d5e866b1356ad", "0x617267656e742f696e76616c69642d7369676e61747572652d6c656e677468", "0x7536345f7472795f66726f6d5f66656c74323532", "0x32b90df821786fc0a5a5492c92e3241a5e680e5d53cd88c2bfdd094a70c90f5", "0xad292db4ff05a993c318438c1b6c8a8303266af2da151aa28ccece6726f1f1", "0xce", "0x4e6f6e20436c61737348617368", "0x800000000000010ffffffffffffffffb781126dcae7b2321e66a241adc64d2f", "0x65635f706f696e745f66726f6d5f785f6e7a", "0xd0", "0x756e777261705f6e6f6e5f7a65726f", "0x1ef15c18599971b7beced415a40f0c7deacfd9b0d1819e03d723d8bc943cfca", "0x5668060aa49730b7be4801df46ec62de53ecd11abe43a32873000c36e8dc1f", "0x65635f706f696e745f7472795f6e65775f6e7a", "0x65635f706f696e745f69735f7a65726f", "0x65635f706f696e745f756e77726170", "0xd3", "0x2679d68052ccd03a53755ca9169677965fbd93e489df62f5f40d4f03c24f7a4", "0xd5", "0xd6", "0x53746f72616765416363657373553332202d206e6f6e20753332", "0xd9", "0xf00de1fccbb286f9a020ba8821ee936b1deea42a5c485c11ccdc82c8bebb3a", "0x65635f73746174655f696e6974", "0x65635f73746174655f6164645f6d756c", "0xda", "0x65635f73746174655f7472795f66696e616c697a655f6e7a", "0x65635f706f696e745f7a65726f", "0x65635f73746174655f616464", "0x65635f6e6567", "0x53746f72616765416363657373553634202d206e6f6e20753634", "0x75385f6f766572666c6f77696e675f616464", "0xdb", "0x75385f616464204f766572666c6f77", "0x7533325f7472795f66726f6d5f66656c74323532", "0x61727261795f706f705f66726f6e74", "0x4e35", "0xffffffffffffffff", "0x14c", "0x143", "0x132", "0x11e", "0x10e", "0x107", "0x100", "0x214", "0x202", "0x1f8", "0x1e6", "0x182", "0x186", "0x1d1", "0x1c0", "0x1b8", "0x31a", "0x30c", "0x2f6", "0x2e8", "0x2d2", "0x253", "0x257", "0x2b9", "0x2a4", "0x29b", "0x292", "0x3c8", "0x3bf", "0x3ae", "0x34d", "0x351", "0x39a", "0x38a", "0x382", "0x463", "0x452", "0x3f1", "0x3f5", "0x43e", "0x42e", "0x426", "0x535", "0x523", "0x519", "0x507", "0x49a", "0x49e", "0x4f2", "0x4e1", "0x4da", "0x4d3", "0x5ea", "0x5e1", "0x5d0", "0x566", "0x56a", "0x5bc", "0x5ac", "0x5a5", "0x59e", "0x685", "0x674", "0x613", "0x617", "0x660", "0x650", "0x648", "0x76e", "0x75d", "0x74b", "0x738", "0x724", "0x6ba", "0x6be", "0x70d", "0x6fa", "0x6f2", "0x83c", "0x82a", "0x817", "0x803", "0x79f", "0x7a3", "0x7ec", "0x7d9", "0x7d0", "0x8ca", "0x8ba", "0x866", "0x86a", "0x8a7", "0x898", "0x891", "0x956", "0x946", "0x8f2", "0x8f6", "0x933", "0x924", "0x91d", "0x9e2", "0x9d2", "0x97e", "0x982", "0x9bf", "0x9b0", "0x9a9", "0xa6e", "0xa5e", "0xa0a", "0xa0e", "0xa4b", "0xa3c", "0xa35", "0xae2", "0xa92", "0xa96", "0xad0", "0xac3", "0xabc", "0xb56", "0xb06", "0xb0a", "0xb44", "0xb37", "0xb30", "0xbca", "0xb7a", "0xb7e", "0xbb8", "0xbab", "0xba4", "0xc46", "0xbee", "0xbf2", "0xc34", "0xc27", "0xc20", "0xcc2", "0xc6a", "0xc6e", "0xcb0", "0xca3", "0xc9c", "0xd3e", "0xce6", "0xcea", "0xd2c", "0xd1f", "0xd18", "0xdba", "0xd62", "0xd66", "0xda8", "0xd9b", "0xd94", "0xe29", "0xdde", "0xde2", "0xe17", "0xe0a", "0xe98", "0xe4d", "0xe51", "0xe86", "0xe79", "0xf14", "0xebc", "0xec0", "0xf02", "0xef5", "0xeee", "0xf90", "0xf38", "0xf3c", "0xf7e", "0xf71", "0xf6a", "0x100c", "0xfb4", "0xfb8", "0xffa", "0xfed", "0xfe6", "0x1093", "0x1083", "0x1034", "0x1038", "0x1070", "0x1061", "0x1102", "0x10b7", "0x10bb", "0x10f0", "0x10e3", "0x1171", "0x1126", "0x112a", "0x115f", "0x1152", "0x11f8", "0x11e8", "0x1199", "0x119d", "0x11d5", "0x11c6", "0x12bf", "0x12ad", "0x12a3", "0x1291", "0x122d", "0x1231", "0x127c", "0x126b", "0x1263", "0x1365", "0x1355", "0x1344", "0x12ed", "0x12f1", "0x1330", "0x1320", "0x1319", "0x137c", "0x1381", "0x139d", "0x1397", "0x1415", "0x13bd", "0x13c2", "0x1403", "0x13f9", "0x13f1", "0xd7", "0x14fe", "0x1443", "0x1448", "0x14eb", "0x14df", "0x1472", "0x1477", "0x147e", "0x1499", "0xdd", "0x148f", "0x1494", "0x14cc", "0xde", "0xdf", "0x14c2", "0xe0", "0xe1", "0xe2", "0xe3", "0xe4", "0xe5", "0x14ba", "0xe6", "0xe7", "0xe8", "0xe9", "0xea", "0xeb", "0xec", "0xed", "0xee", "0xef", "0x1524", "0xf0", "0xf1", "0xf2", "0xf3", "0x1531", "0x1536", "0x1540", "0xf4", "0xf5", "0xf6", "0x154f", "0x1554", "0x1570", "0xf7", "0x156a", "0xf8", "0xf9", "0xfa", "0xfb", "0xfc", "0xfd", "0x159a", "0x158e", "0x1592", "0xfe", "0xff", "0x101", "0x102", "0x103", "0x104", "0x105", "0x160a", "0x106", "0x15fe", "0x108", "0x15f2", "0x109", "0x15e6", "0x10a", "0x10b", "0x15dc", "0x10c", "0x10d", "0x15d0", "0x10f", "0x110", "0x111", "0x112", "0x113", "0x114", "0x115", "0x116", "0x117", "0x118", "0x119", "0x11a", "0x11b", "0x11c", "0x11d", "0x11f", "0x120", "0x121", "0x122", "0x1641", "0x1646", "0x123", "0x124", "0x125", "0x1657", "0x1684", "0x18e8", "0x126", "0x127", "0x1675", "0x167a", "0x18bf", "0x128", "0x129", "0x18a1", "0x12a", "0x12b", "0x1698", "0x16ab", "0x16a3", "0x16a9", "0x12c", "0x12d", "0x1879", "0x12e", "0x12f", "0x130", "0x131", "0x1851", "0x1822", "0x17fe", "0x133", "0x134", "0x135", "0x136", "0x137", "0x138", "0x139", "0x13a", "0x13b", "0x13c", "0x13d", "0x13e", "0x17da", "0x13f", "0x17b8", "0x17a2", "0x140", "0x141", "0x142", "0x144", "0x145", "0x146", "0x147", "0x148", "0x178e", "0x149", "0x14a", "0x177b", "0x1771", "0x14b", "0x14d", "0x14e", "0x14f", "0x150", "0x151", "0x152", "0x153", "0x154", "0x155", "0x156", "0x157", "0x158", "0x159", "0x15a", "0x15b", "0x15c", "0x15d", "0x15e", "0x15f", "0x160", "0x161", "0x162", "0x163", "0x164", "0x165", "0x166", "0x167", "0x168", "0x169", "0x16a", "0x16b", "0x16c", "0x16d", "0x16e", "0x16f", "0x170", "0x171", "0x172", "0x173", "0x174", "0x175", "0x176", "0x177", "0x178", "0x179", "0x17a", "0x17b", "0x17c", "0x17d", "0x17e", "0x17f", "0x180", "0x181", "0x183", "0x184", "0x185", "0x187", "0x188", "0x189", "0x18a", "0x18b", "0x18c", "0x18d", "0x18e", "0x18f", "0x190", "0x191", "0x192", "0x193", "0x194", "0x195", "0x196", "0x197", "0x198", "0x199", "0x19a", "0x19b", "0x19c", "0x19d", "0x19e", "0x19f", "0x1a0", "0x1a1", "0x1a2", "0x1a3", "0x1a4", "0x1a5", "0x1a6", "0x1a7", "0x1a8", "0x1a9", "0x1aa", "0x1ab", "0x1ac", "0x1ad", "0x1ae", "0x1af", "0x1b0", "0x1b1", "0x1b2", "0x1b3", "0x1b4", "0x1b5", "0x1b6", "0x1b7", "0x1b9", "0x1ba", "0x1bb", "0x1bc", "0x1bd", "0x197f", "0x1974", "0x196b", "0x19a5", "0x19b4", "0x19b8", "0x19d4", "0x19cd", "0x1aa6", "0x1a99", "0x1a00", "0x1a05", "0x1a86", "0x1a7b", "0x1a69", "0x1a24", "0x1a29", "0x1a5e", "0x1a54", "0x1a4c", "0x1acb", "0x1da8", "0x1d98", "0x1afb", "0x1b00", "0x1d82", "0x1d6c", "0x1b23", "0x1b28", "0x1d4f", "0x1d3a", "0x1b9f", "0x1b89", "0x1b5c", "0x1b61", "0x1b6c", "0x1ba5", "0x1d24", "0x1bd2", "0x1c09", "0x1bdc", "0x1be1", "0x1d0e", "0x1cf9", "0x1ce3", "0x1cd6", "0x1cc9", "0x1cbd", "0x1ca9", "0x1c35", "0x1c39", "0x1c96", "0x1c8a", "0x1c80", "0x1c78", "0x1c70", "0x1be", "0x1bf", "0x1c1", "0x1c2", "0x1c3", "0x1c4", "0x1c5", "0x1c6", "0x1c7", "0x1c8", "0x1c9", "0x1ca", "0x1cb", "0x1cc", "0x1cd", "0x1ce", "0x1cf", "0x1d0", "0x1d2", "0x1d3", "0x1d4", "0x1d5", "0x1d6", "0x1d7", "0x1d8", "0x1d9", "0x1da", "0x1db", "0x1dc", "0x1dd", "0x1e30", "0x1ddb", "0x1de0", "0x1de7", "0x1e02", "0x1df8", "0x1dfd", "0x1e1e", "0x1e16", "0x1eb6", "0x1e61", "0x1e66", "0x1e6d", "0x1e88", "0x1e7e", "0x1e83", "0x1ea4", "0x1e9c", "0x20b2", "0x20a0", "0x1ee7", "0x1eec", "0x2088", "0x207c", "0x2069", "0x2056", "0x1f88", "0x1f75", "0x1f53", "0x1f65", "0x1f6a", "0x1f90", "0x2044", "0x2032", "0x201f", "0x200d", "0x2002", "0x1de", "0x1df", "0x1e0", "0x1ff8", "0x1fef", "0x1e1", "0x1e2", "0x227d", "0x2272", "0x20e6", "0x20eb", "0x2261", "0x2144", "0x2133", "0x210b", "0x2110", "0x211b", "0x214a", "0x2251", "0x2241", "0x21c9", "0x21b9", "0x219a", "0x21ac", "0x21b1", "0x21d1", "0x2232", "0x2223", "0x1e3", "0x1e4", "0x2214", "0x1e5", "0x1e7", "0x1e8", "0x220d", "0x2434", "0x2429", "0x22aa", "0x22af", "0x2418", "0x240e", "0x22d9", "0x22de", "0x23fd", "0x23ed", "0x23dd", "0x2365", "0x2355", "0x2336", "0x2348", "0x234d", "0x236d", "0x23ce", "0x23bf", "0x1e9", "0x1ea", "0x23b0", "0x1eb", "0x1ec", "0x1ed", "0x1ee", "0x23a9", "0x1ef", "0x25fa", "0x25ef", "0x2461", "0x2466", "0x25de", "0x25ce", "0x24be", "0x24ae", "0x2497", "0x24c4", "0x1f0", "0x25be", "0x25ae", "0x254c", "0x253c", "0x251d", "0x252f", "0x2534", "0x2554", "0x25a5", "0x1f1", "0x1f2", "0x259c", "0x258c", "0x1f3", "0x1f4", "0x1f5", "0x2585", "0x274f", "0x2744", "0x2627", "0x262c", "0x2733", "0x2723", "0x2713", "0x26b1", "0x26a1", "0x2682", "0x2694", "0x2699", "0x26b9", "0x270a", "0x2701", "0x26f1", "0x1f6", "0x1f7", "0x26ea", "0x28e1", "0x28d5", "0x277f", "0x2784", "0x28c3", "0x28b2", "0x28a1", "0x1f9", "0x2889", "0x2879", "0x2869", "0x2858", "0x2848", "0x1fa", "0x1fb", "0x1fc", "0x283f", "0x2837", "0x2830", "0x2822", "0x1fd", "0x2a22", "0x2a18", "0x290f", "0x2914", "0x2a08", "0x29f9", "0x29e9", "0x29d2", "0x29c3", "0x29b4", "0x29a5", "0x1fe", "0x1ff", "0x200", "0x299e", "0x2990", "0x2bb6", "0x2bac", "0x2a4e", "0x2a53", "0x2b9c", "0x2b8d", "0x2b7e", "0x2b68", "0x2b59", "0x2b4a", "0x2b08", "0x2af9", "0x2adb", "0x2aed", "0x2af2", "0x2b10", "0x2b3c", "0x2b2e", "0x2bd3", "0x2bee", "0x2c09", "0x2c26", "0x201", "0x203", "0x204", "0x205", "0x206", "0x207", "0x208", "0x209", "0x20a", "0x20b", "0x20c", "0x20d", "0x20e", "0x20f", "0x210", "0x211", "0x2c7d", "0x212", "0x213", "0x215", "0x216", "0x217", "0x2ca7", "0x2cdb", "0x2cd1", "0x218", "0x219", "0x21a", "0x21b", "0x21c", "0x21d", "0x21e", "0x21f", "0x2cf9", "0x2d42", "0x2d06", "0x2d41", "0x220", "0x2d13", "0x2d40", "0x221", "0x2d20", "0x2d3f", "0x222", "0x2d2d", "0x2d3e", "0x223", "0x2d38", "0x2d3d", "0x2d4d", "0x2d51", "0x2d8f", "0x2d6d", "0x2d72", "0x2d80", "0x224", "0x2dac", "0x2db1", "0x2e36", "0x2e26", "0x2e16", "0x2e06", "0x225", "0x226", "0x227", "0x2dfe", "0x2df7", "0x2e8d", "0x2e58", "0x228", "0x229", "0x22a", "0x2e85", "0x22b", "0x22c", "0x2e7b", "0x22d", "0x2e75", "0x22e", "0x22f", "0x2eae", "0x230", "0x231", "0x232", "0x233", "0x234", "0x235", "0x236", "0x237", "0x238", "0x2ec6", "0x239", "0x23a", "0x23b", "0x23c", "0x36fb", "0x23d", "0x2efa", "0x2eff", "0x2f06", "0x2f21", "0x2f17", "0x2f1c", "0x36e5", "0x23e", "0x23f", "0x240", "0x2f46", "0x2f3b", "0x36b9", "0x241", "0x242", "0x243", "0x36d7", "0x244", "0x245", "0x246", "0x247", "0x248", "0x249", "0x36b2", "0x24a", "0x30fb", "0x2f7f", "0x2faa", "0x24b", "0x30e7", "0x24c", "0x24d", "0x30d2", "0x24e", "0x30be", "0x30ab", "0x3097", "0x2fc2", "0x2fc6", "0x3083", "0x2fe0", "0x2fe5", "0x3070", "0x3064", "0x3011", "0x3016", "0x3051", "0x24f", "0x3048", "0x3038", "0x250", "0x251", "0x252", "0x32cb", "0x310e", "0x3139", "0x32b7", "0x32a2", "0x328e", "0x327b", "0x314b", "0x314f", "0x3268", "0x325c", "0x3179", "0x317e", "0x3249", "0x3236", "0x31a0", "0x31a5", "0x321b", "0x31bf", "0x31c4", "0x254", "0x255", "0x256", "0x3201", "0x258", "0x259", "0x25a", "0x25b", "0x261", "0x262", "0x263", "0x264", "0x265", "0x266", "0x267", "0x25c", "0x25d", "0x25e", "0x25f", "0x260", "0x268", "0x31f8", "0x269", "0x26a", "0x26b", "0x26c", "0x31e8", "0x26d", "0x26e", "0x26f", "0x270", "0x271", "0x272", "0x273", "0x274", "0x275", "0x276", "0x277", "0x278", "0x279", "0x27a", "0x27b", "0x27c", "0x27d", "0x27e", "0x27f", "0x280", "0x281", "0x282", "0x283", "0x284", "0x285", "0x286", "0x287", "0x288", "0x289", "0x28a", "0x28b", "0x28c", "0x28d", "0x28e", "0x28f", "0x290", "0x291", "0x293", "0x294", "0x295", "0x296", "0x297", "0x298", "0x299", "0x29a", "0x29c", "0x29d", "0x29e", "0x29f", "0x2a0", "0x2a1", "0x2a2", "0x2a3", "0x2a5", "0x2a6", "0x2a7", "0x2a8", "0x2a9", "0x2aa", "0x2ab", "0x2ac", "0x2ad", "0x2ae", "0x2af", "0x2b0", "0x2b1", "0x2b2", "0x2b3", "0x2b4", "0x2b5", "0x2b6", "0x2b7", "0x2b8", "0x2ba", "0x2bb", "0x2bc", "0x2bd", "0x2be", "0x2bf", "0x2c0", "0x2c1", "0x2c2", "0x2c3", "0x2c4", "0x2c5", "0x2c6", "0x2c7", "0x2c8", "0x2c9", "0x2ca", "0x2cb", "0x2cc", "0x2cd", "0x2ce", "0x2cf", "0x2d0", "0x2d1", "0x2d3", "0x2d4", "0x2d5", "0x2d6", "0x2d7", "0x2d9", "0x2d8", "0x3481", "0x2da", "0x2db", "0x2dc", "0x32de", "0x2dd", "0x2de", "0x2df", "0x2e0", "0x2e1", "0x3309", "0x2e2", "0x2e3", "0x2e4", "0x2e5", "0x2e6", "0x2e7", "0x2e9", "0x2ea", "0x2eb", "0x2f0", "0x2f1", "0x2f2", "0x2f3", "0x2ec", "0x2ed", "0x2ee", "0x2ef", "0x2f4", "0x346d", "0x2f5", "0x2fb", "0x2fc", "0x2fd", "0x2fe", "0x2f7", "0x2f8", "0x2f9", "0x2fa", "0x2ff", "0x3458", "0x300", "0x301", "0x304", "0x305", "0x306", "0x302", "0x303", "0x307", "0x3444", "0x308", "0x309", "0x30d", "0x30e", "0x30f", "0x310", "0x30a", "0x30b", "0x311", "0x3431", "0x312", "0x313", "0x314", "0x315", "0x316", "0x317", "0x318", "0x319", "0x31c", "0x31b", "0x31d", "0x341d", "0x31e", "0x31f", "0x320", "0x321", "0x322", "0x323", "0x324", "0x325", "0x326", "0x327", "0x3321", "0x328", "0x329", "0x32a", "0x3325", "0x32b", "0x32c", "0x32d", "0x32e", "0x3409", "0x32f", "0x3380", "0x330", "0x331", "0x332", "0x333", "0x334", "0x335", "0x336", "0x337", "0x338", "0x339", "0x33a", "0x33e", "0x33f", "0x340", "0x33b", "0x33c", "0x33d", "0x341", "0x336d", "0x342", "0x343", "0x344", "0x345", "0x346", "0x347", "0x348", "0x349", "0x34a", "0x34b", "0x3344", "0x34c", "0x34e", "0x34f", "0x3349", "0x350", "0x352", "0x353", "0x3353", "0x354", "0x355", "0x356", "0x357", "0x358", "0x3385", "0x359", "0x35a", "0x35b", "0x35c", "0x35d", "0x35e", "0x35f", "0x360", "0x361", "0x362", "0x363", "0x364", "0x365", "0x366", "0x367", "0x368", "0x369", "0x36a", "0x36b", "0x36c", "0x36d", "0x36e", "0x36f", "0x370", "0x371", "0x372", "0x373", "0x377", "0x378", "0x379", "0x374", "0x375", "0x376", "0x37a", "0x33fd", "0x37b", "0x37c", "0x37d", "0x37e", "0x37f", "0x380", "0x381", "0x383", "0x384", "0x385", "0x386", "0x387", "0x388", "0x389", "0x33aa", "0x38b", "0x38c", "0x38d", "0x38e", "0x33af", "0x38f", "0x390", "0x391", "0x392", "0x393", "0x33ea", "0x394", "0x395", "0x396", "0x39c", "0x39d", "0x39e", "0x39f", "0x3a0", "0x3a1", "0x3a2", "0x397", "0x398", "0x399", "0x39b", "0x3a3", "0x33e1", "0x3a4", "0x3a5", "0x3a6", "0x3a7", "0x33d1", "0x3a8", "0x3a9", "0x3aa", "0x3ab", "0x3ac", "0x3ad", "0x3af", "0x3b0", "0x3b1", "0x3b2", "0x3b3", "0x3b4", "0x3b5", "0x3b6", "0x3b7", "0x3b8", "0x3b9", "0x3ba", "0x3bb", "0x3bc", "0x3bd", "0x3be", "0x3c0", "0x3c1", "0x3c2", "0x3c3", "0x3c4", "0x3c5", "0x3c6", "0x3c7", "0x3c9", "0x3ca", "0x3cb", "0x3cc", "0x3cd", "0x3ce", "0x3cf", "0x3d0", "0x3d1", "0x3d2", "0x3d3", "0x3d4", "0x3d5", "0x3d6", "0x3d7", "0x3d8", "0x3d9", "0x3da", "0x3db", "0x3dc", "0x3dd", "0x3de", "0x3df", "0x3e0", "0x3e1", "0x3e2", "0x3e3", "0x3e4", "0x3e5", "0x3e6", "0x3e7", "0x3e8", "0x3e9", "0x3ea", "0x3eb", "0x3ec", "0x3ed", "0x3ee", "0x3ef", "0x3f0", "0x3f2", "0x3f3", "0x3f4", "0x3f6", "0x3f7", "0x3f8", "0x3f9", "0x3fa", "0x3fb", "0x3fc", "0x3fd", "0x3fe", "0x3ff", "0x400", "0x401", "0x403", "0x402", "0x3679", "0x404", "0x405", "0x406", "0x3494", "0x407", "0x408", "0x409", "0x40a", "0x40b", "0x34bf", "0x40c", "0x40d", "0x40e", "0x40f", "0x410", "0x411", "0x412", "0x413", "0x414", "0x415", "0x41a", "0x41b", "0x41c", "0x41d", "0x416", "0x417", "0x418", "0x419", "0x41e", "0x3665", "0x41f", "0x420", "0x425", "0x427", "0x428", "0x421", "0x422", "0x423", "0x424", "0x429", "0x3650", "0x42a", "0x42b", "0x42f", "0x430", "0x42c", "0x42d", "0x431", "0x363c", "0x432", "0x433", "0x437", "0x438", "0x439", "0x43a", "0x434", "0x435", "0x436", "0x43b", "0x3629", "0x43c", "0x43d", "0x43f", "0x440", "0x441", "0x443", "0x444", "0x445", "0x446", "0x447", "0x448", "0x449", "0x44a", "0x34d1", "0x44b", "0x44c", "0x44d", "0x34d5", "0x44e", "0x44f", "0x450", "0x451", "0x3616", "0x453", "0x454", "0x455", "0x456", "0x457", "0x458", "0x459", "0x45a", "0x45b", "0x45c", "0x460", "0x461", "0x462", "0x45d", "0x45e", "0x45f", "0x360a", "0x464", "0x465", "0x466", "0x467", "0x468", "0x469", "0x46a", "0x46b", "0x46c", "0x46d", "0x46e", "0x46f", "0x470", "0x471", "0x472", "0x473", "0x34ff", "0x474", "0x475", "0x476", "0x477", "0x3504", "0x478", "0x479", "0x47a", "0x47b", "0x47c", "0x35f7", "0x47d", "0x47e", "0x47f", "0x480", "0x481", "0x482", "0x483", "0x484", "0x485", "0x486", "0x487", "0x48c", "0x48d", "0x48e", "0x48f", "0x488", "0x489", "0x48a", "0x48b", "0x490", "0x35e4", "0x491", "0x492", "0x493", "0x494", "0x495", "0x496", "0x497", "0x498", "0x499", "0x49b", "0x49c", "0x49d", "0x3526", "0x49f", "0x4a0", "0x4a1", "0x352b", "0x4a2", "0x4a3", "0x4a4", "0x4a5", "0x35c9", "0x4a6", "0x4a7", "0x4a8", "0x4a9", "0x4aa", "0x4ab", "0x4ac", "0x4ad", "0x4ae", "0x4af", "0x358f", "0x4b0", "0x4b1", "0x4b2", "0x4b6", "0x4b7", "0x4b8", "0x4b3", "0x4b4", "0x4b5", "0x4b9", "0x357c", "0x4ba", "0x4bb", "0x4bc", "0x4bd", "0x4be", "0x4bf", "0x4c0", "0x4c1", "0x4c2", "0x4c3", "0x3553", "0x4c4", "0x4c5", "0x4c6", "0x4c7", "0x3558", "0x4c8", "0x4c9", "0x4ca", "0x4cb", "0x3562", "0x4cc", "0x4cd", "0x4ce", "0x4cf", "0x4d0", "0x3595", "0x4d1", "0x4d2", "0x4d4", "0x4d5", "0x4d6", "0x4d7", "0x4d8", "0x4d9", "0x4db", "0x4dc", "0x4dd", "0x4de", "0x4df", "0x4e0", "0x4e2", "0x4e3", "0x4e4", "0x4ea", "0x4eb", "0x4ec", "0x4ed", "0x4ee", "0x4ef", "0x4f0", "0x4e5", "0x4e6", "0x4e7", "0x4e8", "0x4e9", "0x4f1", "0x35c0", "0x4f3", "0x4f4", "0x4f5", "0x35b0", "0x4f6", "0x4f7", "0x4f8", "0x4f9", "0x4fa", "0x4fb", "0x4fc", "0x4fd", "0x4fe", "0x4ff", "0x500", "0x501", "0x502", "0x503", "0x504", "0x505", "0x506", "0x508", "0x509", "0x50a", "0x50b", "0x50c", "0x50d", "0x50e", "0x50f", "0x510", "0x511", "0x512", "0x513", "0x514", "0x515", "0x516", "0x517", "0x518", "0x51a", "0x51b", "0x51c", "0x51d", "0x51e", "0x51f", "0x520", "0x521", "0x522", "0x524", "0x525", "0x526", "0x527", "0x528", "0x529", "0x52a", "0x52b", "0x52c", "0x52d", "0x52e", "0x52f", "0x530", "0x531", "0x532", "0x533", "0x534", "0x536", "0x537", "0x538", "0x539", "0x53a", "0x53b", "0x53c", "0x53d", "0x53e", "0x53f", "0x540", "0x541", "0x542", "0x543", "0x544", "0x545", "0x546", "0x547", "0x548", "0x549", "0x54a", "0x54b", "0x54c", "0x54d", "0x54e", "0x54f", "0x550", "0x551", "0x552", "0x553", "0x554", "0x555", "0x556", "0x557", "0x558", "0x559", "0x55a", "0x55b", "0x55c", "0x55d", "0x55e", "0x55f", "0x560", "0x561", "0x562", "0x3692", "0x563", "0x564", "0x565", "0x3697", "0x567", "0x568", "0x569", "0x56b", "0x369f", "0x56c", "0x36b6", "0x56d", "0x56e", "0x56f", "0x570", "0x571", "0x572", "0x573", "0x574", "0x575", "0x576", "0x577", "0x578", "0x579", "0x57f", "0x580", "0x581", "0x582", "0x583", "0x584", "0x585", "0x57a", "0x57b", "0x57c", "0x57d", "0x57e", "0x586", "0x36ce", "0x587", "0x588", "0x589", "0x58a", "0x58b", "0x58c", "0x58d", "0x58e", "0x58f", "0x590", "0x591", "0x592", "0x593", "0x594", "0x595", "0x596", "0x597", "0x598", "0x599", "0x59a", "0x59b", "0x59c", "0x59d", "0x59f", "0x5a0", "0x5a1", "0x5a2", "0x5a3", "0x5a4", "0x5a6", "0x5a7", "0x5a8", "0x5a9", "0x5aa", "0x5ab", "0x3720", "0x3763", "0x3748", "0x374d", "0x375a", "0x37b7", "0x377a", "0x377f", "0x37a9", "0x37a2", "0x379c", "0x37b0", "0x3800", "0x37d8", "0x37f6", "0x37f0", "0x389d", "0x3892", "0x3883", "0x3878", "0x3856", "0x384c", "0x3850", "0x3868", "0x3870", "0x38b9", "0x38b2", "0x38c6", "0x38cb", "0x38e1", "0x38db", "0x38f1", "0x38f6", "0x3920", "0x391a", "0x3912", "0x393a", "0x3958", "0x3972", "0x39de", "0x39f3", "0x39f7", "0x3a01", "0x3a06", "0x3a13", "0x3a31", "0x3a36", "0x3a53", "0x3a46", "0x3a5f", "0x3aa1", "0x3a86", "0x3a8b", "0x3a98", "0x3b01", "0x3ac7", "0x3acc", "0x3af9", "0x3af2", "0x3ae4", "0x3b47", "0x3b17", "0x3b1c", "0x3b39", "0x3b33", "0x3b40", "0x3b63", "0x3b68", "0x3b73", "0x3b86", "0x3b8b", "0x3b96", "0x3ba9", "0x3bae", "0x3bb9", "0x3bde", "0x3bd7", "0x3bf9", "0x3bfe", "0x3c10", "0x3c15", "0x3c20", "0x3c63", "0x3c48", "0x3c4d", "0x3c5a", "0x3cc8", "0x3c78", "0x3c7d", "0x3cbd", "0x3cad", "0x3ca7", "0x3d8f", "0x3d84", "0x3d72", "0x3d67", "0x3d31", "0x3d14", "0x3d18", "0x3d22", "0x3d47", "0x3d5f", "0x3d50", "0x3dad", "0x3db2", "0x3e37", "0x3e2a", "0x3e1c", "0x3e0e", "0x3dfe", "0x3e6a", "0x3e63", "0x3ec0", "0x3eb8", "0x3eab", "0x3ea3", "0x3e98", "0x3eee", "0x3f10", "0x3f32", "0x3ed8", "0x3edf", "0x3ee6", "0x3eec", "0x3f53", "0x3ef7", "0x3f01", "0x3f08", "0x3f0e", "0x3f19", "0x3f20", "0x3f2a", "0x3f30", "0x3f3b", "0x3f42", "0x3f49", "0x3f52", "0x3f77", "0x3f6f", "0x3fc2", "0x3fa7", "0x3fac", "0x3fb9", "0x3fdb", "0x3fe0", "0x3feb", "0x4002", "0x4007", "0x4012", "0x4028", "0x402d", "0x4038", "0x407b", "0x4060", "0x4065", "0x4072", "0x40c0", "0x40a5", "0x40aa", "0x40b7", "0x40d8", "0x40dd", "0x40e8", "0x412b", "0x4110", "0x4115", "0x4122", "0x4143", "0x4148", "0x4153", "0x4196", "0x417b", "0x4180", "0x418d", "0x41a5", "0x41a9", "0x41b5", "0x41f6", "0x41db", "0x41e0", "0x41ed", "0x423b", "0x4220", "0x4225", "0x4232", "0x4280", "0x4265", "0x426a", "0x4277", "0x42c5", "0x42aa", "0x42af", "0x42bc", "0x4305", "0x42fe", "0x432b", "0x4324", "0x4341", "0x434f", "0x435d", "0x436a", "0x43aa", "0x438f", "0x4394", "0x43a1", "0x43ef", "0x43e5", "0x43dd", "0x43d3", "0x4400", "0x4405", "0x4410", "0x441d", "0x4486", "0x4441", "0x4447", "0x4477", "0x4456", "0x445c", "0x4469", "0x4494", "0x4498", "0x44a4", "0x44c0", "0x44c4", "0x4561", "0x4556", "0x454b", "0x453f", "0x452a", "0x451f", "0x4537", "0x4587", "0x458b", "0x45ec", "0x45e1", "0x45d6", "0x45cb", "0x4671", "0x4609", "0x460e", "0x4665", "0x4643", "0x463c", "0x465e", "0x4696", "0x46af", "0x46bd", "0x46cb", "0x46d9", "0x46e7", "0x46f5", "0x4703", "0x4711", "0x471f", "0x472d", "0x473b", "0x4748", "0x46a9", "0x4769", "0x480e", "0x478d", "0x4791", "0x4801", "0x47fa", "0x47f3", "0x47eb", "0x47e4", "0x481f", "0x4824", "0x4839", "0x486f", "0x4864", "0x4869", "0x487b", "0x48cf", "0x488f", "0x4894", "0x48c4", "0x48bb", "0x48b4", "0x48e6", "0x48f3", "0x48f8", "0x491e", "0x4914", "0x4919", "0x492e", "0x4954", "0x4946", "0x4963", "0x4980", "0x4985", "0x49a0", "0x49b2", "0x49c4", "0x4a41", "0x4a36", "0x4a2a", "0x49e8", "0x49fb", "0x4a0e", "0x4a0c", "0x4a15", "0x4a24", "0x4a22", "0x4aa6", "0x4a9b", "0x4a8e", "0x4a83", "0x4a78", "0x4ab5", "0x4b0a", "0x4afd", "0x4af3", "0x4aea", "0x4b2d", "0x4b62", "0x4b54", "0x4b71", "0x4b85", "0x4b92", "0x4ba2", "0x4bbf", "0x4bf4", "0x4cb9", "0x4cc7", "0x4ccc", "0x4cdb", "0x4ceb", "0x4ce6", "0x4ce9", "0x4cf4", "0x4cfa", "0x4d06", "0x4d09", "0x4d11", "0x4d39", "0x4d2b", "0x4d48", "0x4d4c", "0x4d58", "0x4d63", "0x4d68", "0x4d9e", "0x4d77", "0x4d7c", "0x4d94", "0x4d8e", "0x4dc7", "0x4e15", "0x4de5", "0x4dea", "0x4e0a", "0x4e03", "0x4e2c", "0x5fa", "0x695", "0x77e", "0x84d", "0x8d9", "0x965", "0x9f1", "0xa7d", "0xaf1", "0xb65", "0xbd9", "0xc55", "0xcd1", "0xd4d", "0xdc9", "0xe38", "0xea7", "0xf23", "0xf9f", "0x101b", "0x10a2", "0x1111", "0x1180", "0x1207", "0x12d0", "0x1374", "0x13a7", "0x1420", "0x1426", "0x142a", "0x150a", "0x152a", "0x1547", "0x157a", "0x15a2", "0x1616", "0x190a", "0x198a", "0x19ad", "0x19c2", "0x19da", "0x1ab1", "0x1ad1", "0x1db6", "0x1e39", "0x1ebf", "0x20c2", "0x2286", "0x243d", "0x2603", "0x2758", "0x28eb", "0x2a2a", "0x2bbe", "0x2bd9", "0x2bf4", "0x2c0f", "0x2c2d", "0x2c46", "0x2c4d", "0x2c66", "0x2c84", "0x2c90", "0x2cae", "0x2ce2", "0x2ced", "0x2d44", "0x2d53", "0x2d97", "0x2e47", "0x2e9c", "0x2eb4", "0x2ecc", "0x3709", "0x3727", "0x376c", "0x37c7", "0x380f", "0x38a7", "0x38bf", "0x38e9", "0x392a", "0x3940", "0x3960", "0x3978", "0x39e6", "0x3a1c", "0x3a59", "0x3a65", "0x3aaa", "0x3b0b", "0x3b56", "0x3b79", "0x3b9c", "0x3bbf", "0x3be5", "0x3c00", "0x3c27", "0x3c6c", "0x3cd7", "0x3d99", "0x3e4b", "0x3e71", "0x3ecb", "0x3f55", "0x3f7f", "0x3f86", "0x3fcb", "0x3ff2", "0x4019", "0x403f", "0x4084", "0x40c9", "0x40ef", "0x4134", "0x415a", "0x419f", "0x41ba", "0x41ff", "0x4244", "0x4289", "0x42ce", "0x42da", "0x42e6", "0x430c", "0x4332", "0x436e", "0x43b3", "0x43f9", "0x4416", "0x4428", "0x448e", "0x44a9", "0x4570", "0x45fb", "0x4683", "0x4686", "0x474f", "0x476f", "0x4819", "0x4827", "0x483f", "0x4849", "0x4875", "0x4881", "0x48e0", "0x48ec", "0x4925", "0x4928", "0x4934", "0x495d", "0x4969", "0x496c", "0x4987", "0x4993", "0x4a4b", "0x4aaf", "0x4abb", "0x4ac3", "0x4b17", "0x4b1a", "0x4b1d", "0x4b20", "0x4b23", "0x4b26", "0x4b36", "0x4b39", "0x4b3c", "0x4b3f", "0x4b42", "0x4b6b", "0x4b77", "0x4b7c", "0x4b7f", "0x4b8b", "0x4b9b", "0x4bad", "0x4bc5", "0x4bd7", "0x4bfb", "0x4c0d", "0x4c1f", "0x4c29", "0x4c33", "0x4c39", "0x4c43", "0x4c4d", "0x4c57", "0x4c61", "0x4c6b", "0x4c75", "0x4cc1", "0x4ccf", "0x4cd4", "0x4cee", "0x4d0b", "0x4d19", "0x4d42", "0x4d5d", "0x4d6b", "0x4dad", "0x4dcd", "0x4dd9", "0x4e25", "0x286ab", "0x600b00200700a009006006008007006006005002004002003002001000", "0x200600a01000600600500900600700600f00600e00200c00a00200d00c", "0x200600a01700601600601100200900a015006014006013002009012011", "0x1200201d01c00601b00601a00200901200900601900601100200900a018", "0x200600a02100200600a02000200600a00201f01500601500601e002009", "0x200600a02600200600a02500200600a02400200600a02300200600a022", "0x602f00602e00602d00602c00602b00602a00602900602800201500a027", "0x603500603400200901200700603300601100200900a002032002031030", "0x503900600603801c00603700603600200901201600601100200700a01c", "0x801c00603c00603b00200901203a00603300601100200900a016006006", "0x3801c00603e00603d00200901201500600900601100200900a03a006006", "0xa01500600900604000200901201500600700603f002009012007006006", "0x601100200700a01c006043006042002009012041006016006011002009", "0x4904800600603804700600603800204601c006045006044002009012007", "0x600700600f00604c00200f00a04b00604a00200700a014006006008002", "0x200900a01500604f00605000200901204f00600603804e00604d00604d", "0x1205400601100200700a01c006053006052002009012051006016006011", "0x605800605900200901205800600603800205701c006056006055002009", "0x200900a01c00605b00605a00200901200900603300601100200900a015", "0x604d00605e00200c00a01c00605d00605c002009012015006033006011", "0xa00206201c00606100606000200901205f00601100200700a007006007", "0x606600200901206500601100200700a06400606400606400606300200c", "0x601100200900a01500601500601500601500606800201601201c006067", "0x600606d01c00606c00606b00200901206a00601100200700a06900605f", "0x607000200901200f00601100200700a01500606f00606e002009012007", "0x607500600f00600700607400201400a00207300700600607201c006071", "0x200901207700601100200700a07600600606d007006007006007006016", "0x607a00200901203a00601100200700a03a00600603801c006079006078", "0x600603807f00600700607e00200900a07d00607c00200700a01c00607b", "0x604d00608100200901201500600f00608000200901200f00600603804d", "0x200901208300601600601100200900a01500604e006082002009012015", "0x600603802b00600603802c00600603802900600603801c006085006084", "0x200700a02d00600603802e00600603802f00600603803000600603802a", "0x600700600700608800200c00a01c00608700608600200901204d006011", "0x600603801c00608a00608900200901201500602e00601100200900a007", "0x601100200700a00900601500608c00200901205800608b00200700a033", "0x609000200700a05800608f00200700a01c00608e00608d002009012015", "0xa01400600603801c00609200609100200901200900601100200700a058", "0x602900601100200900a01c006094006093002009012058006011002007", "0x601100200900a00700609700200700a01c006096006095002009012015", "0x200901206900601100200700a01c00609900609800200901201500604e", "0x609d00609c00200901201500602d00601100200900a01c00609b00609a", "0x60a000609f00200901201500603000601100200900a09e00200600a01c", "0x200900a01c0060a20060a100200901201500602f00601100200900a01c", "0xa0070060a500200700a01c0060a40060a300200901201500602a006011", "0x60a80060a700200901201500602b00601100200900a0070060a6002007", "0x60aa00200901201500602c00601100200900a0070060a900200700a01c", "0x200900a00700604d0060ad00200900a0070060ac00200700a01c0060ab", "0x200900a0070060b000200700a0070060af00200700a00700604d0060ae", "0x601600601100200900a0150060100060b20020090120070060070060b1", "0x6d00f00604d00604d0060b600200c00a01c0060b50060b40020090120b3", "0x600606d00700600f00600f0060770060b90060b800200f00a0b7006006", "0x6d01000600600801c0060bd0060bc0020090120bb00601100200700a0ba", "0x201600a01c0060c10060c00020090120bf00601100200700a0be006006", "0x20c401201c0060c30060c200200901201500600700603a00604e006011", "0x60ce0060cd0060cc0060cb0060ca0060c90060c80060c70060c60060c5", "0x200901201500600900600900601100200c00a0d20060d10060d00060cf", "0x60d60060d500200901201600600606d07f00600603801c0060d40060d3", "0x60d80020090120d700601100200700a01600601600601100200900a015", "0x120020dc01c0060db0060da0020090120b900601100200700a01c0060d9", "0x200901201500600700604e00601100200c00a0090060540060dd002009", "0x60e20020090120090060160060e10020090120020e001c0060df0060de", "0xa0090060580060e40020090120090060070060e3002009012015006054", "0x60bf0060e800200901201c0060e70060e60020090120e5006011002007", "0x605f0060e900200901200700600f00600700600700601100201600a015", "0x601100200700a01c0060ec0060eb0020090120ea00601100200700a009", "0x200901204d00604d0060f000200901201c0060ef0060ee0020090120ed", "0x1201c0060f40060f30020090120f200601100200700a0090060650060f1", "0x601100200700a0650060650060f60020090120090060bb0060f5002009", "0x120fa0060060720020f904e00600603801c0060f80060f700200901206f", "0x60fe0060fd0020090120fc00601100200700a00900604d0060fb002009", "0x610100200901201c0061000060ff00200901206400601100200700a01c", "0x200901201500600700601600601100200c00a009006006038015006065", "0x210800210710606400606400610500200901200210401c006103006102", "0x10d00900610c01600600610b00600600610b00200600610b00210a002109", "0x700600611001600600610f01700600610e01b00600610f0c400600610e", "0x6500600610b065006006114002007006113065006006112065006006111", "0x711700211805400600610b002007054006007117015006006116002115", "0x11b00600610b00211a01500600611205400600610e002119006007054006", "0x2c00600611602b00600611602a00600611602900600611600211d00211c", "0x3300600611603000600611602f00600611602e00600611602d006006116", "0x3a00900610c01400600610b03300600610b03900600610b04800600610b", "0x700600611100700600611f03300600611203500600610f11e00600610e", "0x900600611103c00900610c00900600610b00700600610b007006006112", "0x610b002007120006007117037006006116016006006116009006006112", "0x7006006123122007006121014006006112006007120006007117120006", "0x1600600611212500700612112400900610c01c006006116019006006116", "0x610e03900600612907d00900610c002128039006006127126007006121", "0x610c07d00600610b03a00600611203a00600611103c00600610f124006", "0x610c00700600612710d00600611203e00600610f12a00600610e03e009", "0x610f12d00600610e12c00900610c00700600612912b00600610e12a009", "0x610f12e00600610e12b00900610c03300600611104100600610e043006", "0x610c04f00600612704800600612704700600612712c006006112045006", "0x610b04f00600612905100600610e05300600610f12f00600610e041009", "0x611204700600612904800600612904300900610c04f00600610b047006", "0x610c12d00900610c13200600611204f006006112131006006112130006", "0x610c05400600611205400600611105600600610f13300600610e045009", "0x610b05800600612913400600610e04700900610c05800600612712e009", "0x610c00c00600610b05b00600610f13500600610e13100900610c058006", "0x610c04b00900610c04d00900610c136006006112058006006112130009", "0x610c13200900610c05d00600611213700600610e04f00900610c04e009", "0x610c13300900610c05600900610c12f00900610c05300900610c051009", "0x610e13500900610c05b00900610c13400900610c13600900610c058009", "0x610c05f00600610b05f00600611205f00600611106100600610f138006", "0x610c13900600610b13900600611213900600611113700900610c05d009", "0x610c06700600610f13b00600610e06100900610c13a00700612105f009", "0x611106c00600610f13c00600610e13900900610c06400900610c138009", "0x612113b00900610c06700900610c06a00600610b06a00600611206a006", "0x711700700600613e06c00900610c06a00900610c06900900610c13d007", "0x614013f00600610e00600713f00600711713f00600610b00200713f006", "0x711701b00600611613c00900610c01000600611f007006006114007006", "0x60070170060071170060070c40060071170c400600610b0020070c4006", "0x214300200700612100214207100600610f14100600610e06f00900610c", "0x614007900600610f14600600610e13f00900610c145006006112002144", "0x611200f00600611207600600610f04e006006116014006006111076006", "0x611614700700612105d00600610f07100900610c04e00600610b075006", "0x612100600711e00600711711e00600610b00200711e006007117035006", "0x610c14900700612100600700612103a00600612701500600610b148007", "0x611607f00600611603a00600612907b00600610f14a00600610e141009", "0x200712400600711703c00600611614500900610c0c700600610b0c7006", "0x614d14c00700612114b00600611200600712400600711712400600610b", "0x711703e00600611607500900610c07f00600610b01600600611007d006", "0x200712b00600711700600712a00600711712a00600610b00200712a006", "0x711704300600611607600900610c00600712b00600711712b00600610b", "0x600704100600711700600712d00600711712d00600610b00200712d006", "0x711712e00600610b00200712e00600711704500600611607700900610c", "0x14e00600610e07900900610c00f00600612704d00600612700600712e006", "0x14b00900610c04d00600612914f00600610e14600900610c00f006006129", "0x5100600711704f00600611608300600610e08500600610f15000600610e", "0x4d00600611212f00600610b00200712f006007117053006006116002007", "0x15200600611215100600611200600712f006007117006007051006007117", "0x3000600612702a00600612702b00600612702c006006127029006006127", "0xf00600614d04f00600610f02d00600612702e00600612702f006006127", "0xf00600611104e00600614d04d00600614d00700600614d153007006121", "0x611400215508700600610f15400600610e07b00900610c00f006006114", "0x610c02e00600610b02e00600611103300600610f054006006114002006", "0x215915800700612115700600611615600700612104f00600611114a009", "0x15700600614d15700600610b15a007006121157006006112157006006111", "0x15100900610c0c700900610c07f00900610c00c00700612115700600610f", "0x2d00600612902c00600612902b00600612902a006006129029006006129", "0x2e00600612908a00600610f15b00600610e03000600612902f006006129", "0x2d00600611202e00600611202f006006112030006006112029006006112", "0x15c00600611204e00600611202a00600611202b00600611202c006006112", "0x16100600611216000600611215f00600611215e00600611215d006006112", "0x166007006121165007006121164007006121163006006112162006006112", "0x600713300600711713300600610b002007133006007117056006006116", "0x612700600713400600711713400600610b002007134006007117002167", "0x610c16800600610b16900700612116800600611605800600614d033006", "0x60070ed0060071170ed00600610b0020070ed00600711700216a152009", "0xd000600611608e00600611216b00600610e14e00900610c0ed006006114", "0x3300600612916c00600610b16c00600611614f00900610c0d000600610b", "0x13500600711705b00600611609200600610f16d00600610e08300900610c", "0x16f00700612116e00600611200600713500600711713500600610b002007", "0x2a00600611101400600612708500900610c00c00600614d170007006121", "0x15e00900610c02b00600610b02b00600611115000900610c02a00600610b", "0x2d00600614d02c00600614d02b00600614d02a00600614d02900600614d", "0x2c00600610b02c00600611103000600614d02f00600614d02e00600614d", "0x2900600610b02900600611117200700612117100600611216100900610c", "0x200700617405800600611109400600610f17300600610e16000900610c", "0xd100600611609600600610f17500600610e15d00900610c15f00900610c", "0x15c00900610c00f00600610b01400600612916300900610c0d100600610b", "0x700700612117800700612117700700612109900600611217600600610e", "0x2d00600610b02d00600611108700900610c16200900610c179007006121", "0x17a00600610e15700900610c04d00600610b05f00600610f15400900610c", "0x610b06900600611200200706900600711706900600611109b00600610f", "0x610e15b00900610c05f00600611600200700617b08a00900610c069006", "0xcc00600611616e00900610c00900706900600711709d00600610f17c006", "0x3300600611403900600611400600600611416800900610c0cc00600610b", "0x610e0ed00900610c03000600610b13700600610b006007137006007117", "0x610f17e00600610e08e00900610c02f00600610b0a000600610f17d006", "0x610b0cd0060061160a400600610f17f00600610e16b00900610c0a2006", "0x611616c00900610c0d200600610b0d20060061160d000900610c0cd006", "0xa800600610f18000600610e09200900610c00200713700600711705d006", "0x18100600610e17100900610c16d00900610c0ce00600610b0ce006006116", "0x18200700612109400900610c0cf00600610b0cf0060061160ab00600610f", "0xc800600610b0c800600611617300900610c18400700617b183007006121", "0x6900600711717500900610c0c900600610b0c900600611609600900610c", "0x61161850070061210d100900610c0ca00600610b0ca006006116007007", "0x200713800600711706100600611609900900610c0cb00600610b0cb006", "0x611417600900610c05f00600614d00600713800600711713800600610b", "0x614d139006006116009007006186002007006186015006006114009006", "0x610c09b00900610c06400600610b06400600611213900600610f139006", "0x13b00600711713b00600610b00200713b00600711706700600611617a009", "0x13c00600711706c00600611606a00600611609d00900610c002187006007", "0x17c00900610c06a00600610f00600713c00600711713c00600610b002007", "0x18c00700612118b00700612118a007006121189007006121188007006121", "0x170060071170cc00900610c0c600600610b0c600600611618d007006121", "0x61230b300600610e0b500600610f18e00600610e0a000900610c002007", "0x610f0ba0060061400bd00600610f18f00600610e17d00900610c010006", "0x20071410060071170710060061160770060061120b90060061120ba006", "0x200714600600711707900600611600600714100600711714100600610b", "0x611004e00600610f07700600610b00600714600600711714600600610b", "0x610f19000600610e0a200900610c04b00600610b006007006113010006", "0x61120100060061910be00600614d0be00600610b0be0060061400c1006", "0x610c17e00900610c06500600614d02f00600611119200700612100c006", "0x61210be00600611219400700612119300700612117f00900610c0a4009", "0x61211970070061210cd00900610c030006006111196007006121195007", "0x610c03a00600610b01600600611f19a007006121199007006121198007", "0x200714a00600711707b0060061160c300600610f19b00600610e0d2009", "0x611219c0060061110a800900610c00600714a00600711714a00600610b", "0x219e0d400600610f19d00600610e18000900610c19c00600610b19c006", "0x19f00600711701600600613e07f00600610f07f00600612708e00600610f", "0x19f00600610e07f00600612900600719f00600711719f00600610b002007", "0x410060071171a000600611207f0060061120ce00900610c016006006140", "0x614d0d700600610f0d900600610f1a100600610e0ab00900610c002007", "0x600714e00600711714e00600610b00200714e0060071170021a2033006", "0x600714f00600711714f00600610b00200714f00600711718100900610c", "0x15000600610b002007150006007117085006006116002007083006007117", "0x1a300600610e0cf00900610c006007150006007117006007083006007117", "0x1540060071170870060061160b700600610f0b70060061400db00600610f", "0x1a400600610b0c800900610c00600715400600711715400600610b002007", "0x4e00600611404f00600614d0ca00900610c1a50060061140c900900610c", "0x4d0060061141a70070061210df00600610f1a600600610e0cb00900610c", "0x200715b00600711708a0060061160021aa0021a90100070061210021a8", "0x21ac1ab00700612116800600610f00600715b00600711715b00600610b", "0x1ad0060061140060071ad0060071171ad00600610b0020071ad006007117", "0x1ae00600610e0b300900610c03700600610f12000600610e0c600900610c", "0x610b00200716b00600711708e0060061160ed00600610e1af007006121", "0x9200600611616c00600610f0b500900610c00600716b00600711716b006", "0x16c00600611200600716d00600711716d00600610b00200716d006007117", "0x1b400600610b0020071b40060071170021b31b200600610b1b10070061b0", "0x61b01b50070061b018e00900610c1b40060061140060071b4006007117", "0x610b0e700600610f1b800600610e0b700900610c1b70070061b01b6007", "0x17300600610b0020071730060071170940060061160b900900610c0e5006", "0x1750060071170960060061160021b9058006006114006007173006007117", "0x1000600613e0ba00900610c00600717500600711717500600610b002007", "0x1ba00600610e0060071ba0060071171ba00600610b0020071ba006007117", "0x610b00200717600600711709900600611609900600610f0bb00900610c", "0x1bc0070061210480060061141bb007006121006007176006007117176006", "0x1be0070061b018f00900610c0bd00900610c1bd00600610b1bd006006116", "0xbf00900610c0ea00600610b0ec00600610f1bf00600610e0be00900610c", "0x17a00600610b00200717a00600711709b0060061160021c004d006006111", "0x1500600611106900600610e00600706900600711700600717a006007117", "0x9d0060061160ef00600610f1c100600610e19000900610c0c100900610c", "0x6900600611400600717c00600711717c00600610b00200717c006007117", "0x610b00200717d0060071170a00060061161c20070061b00c300900610c", "0x17e0060071170a20060061161c30070061b000600717d00600711717d006", "0x17f0060071170a400600611600600717e00600711717e00600610b002007", "0x19c00900610c19b00900610c00600717f00600711717f00600610b002007", "0x600718000600711718000600610b0020071800060071170a8006006116", "0x711718100600610b0020071810060071170ab0060061160d400900610c", "0x1c500600610b0020071c50060071170021c419d00900610c006007181006", "0x610c1a000900610c1c50060061141c60070061210060071c5006007117", "0x21c70640060061140d900900610c0d700900610c19f00900610c0d6009", "0xdb00900610c0f200600610b0f400600610f1c800600610e1a100900610c", "0xb30060071170100060061161a400900610c0090070061211a300900610c", "0xb300600711718e00600610b00200718e0060071170b5006006116002007", "0x1ca00600610b0020071ca0060071170021c900600718e006007117006007", "0x71170bd0060061161a500900610c1ca0060061140060071ca006007117", "0x61160100060061cb00600718f00600711718f00600610b00200718f006", "0x1900060071171cc00700612119000600610b0020071900060071170c1006", "0x61210021d00160070061130021cf07500600610b1ce0070061cd006007", "0x71171d400600610b0020071d40060071170021d31d20070061211d1007", "0x1600600614d0df00900610c1d40060061141d50070061210060071d4006", "0x1d600600610e1a600900610c00c006006114016006006111007007006113", "0x19b0060071170c30060061160021d80160060061230021d70f800600610f", "0x1b200900610c1d900700612100600719b00600711719b00600610b002007", "0x61211ad00900610c1da00700612119c00600610e00600719c006007117", "0x1dc00700612119d00600610b00600719d0060071171ae00900610c1db007", "0xe700900610c1de0070061210e500900610c1dd0070061211b400900610c", "0x1e10070061211ba00900610c1e00070061211b800900610c1df007006121", "0xec00900610c1e30070061210ea00900610c1e20070061211bd00900610c", "0x1e60070061210ef00900610c1e50070061211bf00900610c1e4007006121", "0x611301600600611400200719d0060071170d40060061161c100900610c", "0x20071a10060071170d90060061160d700600611600900700611300c007", "0x14f0060061140021e81e70070061210060071a10060071171a100600610b", "0x60071a30060071171a300600610b0020071a30060071170db006006116", "0x1a50060071171a500600610b0020071a50060071170021ea1e9007006121", "0x61161c500900610c04e00600612904e0060061271a500600610e006007", "0x61120060071a60060071171a600600610b0020071a60060071170df006", "0x1ae0060071171ae00600610b0020071ae0060071171ad00600610e1eb006", "0xe50060071170f200900610c1b400600610e01700719c006007117006007", "0x1ec0070061211b800600610b0020071b80060071170e7006006116002007", "0x19c0060071170e500600610e0060070e50060071170060071b8006007117", "0x1ef00600610b0021ee1ed0070061210f400900610c1bd00600610f01b007", "0x610c0fa00600610b0021f31f20070061211f10070061210fa0060061f0", "0x610c1ca00900610c0fa00600614d0021f50fa0060061120021f41c8009", "0x610e0fe00600610f1f600600610e0f800900610c1a400600614d1d4009", "0x1f800600610e1d600900610c0021f706400600614d0060070061860fc006", "0x20071bf0060071170ec0060061160020070ea00600711710000600610f", "0x60071bf0060071171a40060061120060070ea0060071171bf00600610b", "0x71171c100600610b0020071c10060071170ef0060061160ea00600610e", "0x19c00600711701000719c00600711700f00719c0060071170060071c1006", "0x71171c500600610e01500719c00600711701400719c006007117019007", "0x19c00600711700c00719c00600711700900719c00600711700700719c006", "0xf40060061160020070f20060071171f900600610e1eb00900610c016007", "0x60071c80060071171fa0070061211c800600610b0020071c8006007117", "0x1ca00600610e00200719c0060071170f200600610e0060070f2006007117", "0x610b0020071d60060071170f80060061160070060061cb1d400600610e", "0xc600600610f0c600600614d0fa00900610c0060071d60060071171d6006", "0x1ef00900610c0090060061290c700600610f0c700600614d009006006127", "0xca00600610f0c900600610f0c900600614d0c800600610f0c800600614d", "0xcf00600610f0ce00600610f0cd00600610f0cc0060061120cb00600610f", "0xfe00900610c0d200600610f0d100600610f0fc00900610c0d000600610f", "0x1340060061140160070061211fc00700612110300600610f1fb00600610e", "0x1ef0060061120fa0060061140022010022001ff00600610b0021fe0021fd", "0x20071f60060071170fe0060061160020070fc006007117002203002202", "0x60070fc0060071170060071f60060071172040070061211f600600610b", "0x612100600720600600711720600600610b002007206006007117002205", "0x20071f80060071171000060061161f600900610c206006006114207007", "0x610b0020071f90060071170022080060071f80060071171f800600610b", "0x7f00600614d0070060062091f90060061140060071f90060071171f9006", "0x71171fb00600610b0020071fb00600711710300600611607f006006114", "0x20b00600200600200220b00600200200220a20600600610e0060071fb006", "0x20b0060020090020140100070cb00f01600720b007007002007007002002", "0x600f00201c00620b00600f00601600201900620b00601600600c002002", "0x200600201b01701500920b0060c401c0190090100020c400620b00600c", "0x220b0060020090020540060a806500620b00701b00601400200220b006", "0x2b00617502a00620b00702900601700202911b00720b006065006015002", "0x20b00602c00601900202c00620b00611b00601b00200220b006002009002", "0x6500200220b00602e0060c400202f02e00720b00602d00601c00202d006", "0x20b0060330060c400204803300720b00603000601c00203000620b006002", "0x611b00203500620b00604800605400203900620b00602f006054002002", "0x20b00600200900200211e00220b00703503900702900203900620b006039", "0x3700602c00203700620b00611e00602b00211e00620b00600202a002002", "0x600202a00200220b00600200900200203a00600202d00212000620b006", "0x212000620b00603a00602c00203a00620b00610d00602e00210d00620b", "0x703c00603000203c00620b00603c00602c00203c00620b00612000602f", "0x200220b00612400603300200220b00600200900207d00615c12400620b", "0x3e01701500903500203e00620b00603e00603900203e00620b006002048", "0x20b00600211e00200220b00600200900204112b00714a12c12a00720b007", "0x20b00600210d00212d00620b00600212000204300620b006002037002002", "0x600212400204700620b00600203c00212e00620b00600203a002045006", "0x1412a00204d00620b00600203e00213000620b00600207d00213100620b", "0x12f00620b00612a00600c00204b00620b00604d13013104712e04512d043", "0x900612b00213300620b00612c00601600205600620b00600600612c002", "0x13400620b00602a00604300213600620b00604b00604100205800620b006", "0x604500205305113204f04e01620b00613413605813305612f00f12d002", "0x20b00605b00612e00200220b00600200900213500614505b00620b007053", "0x613000205f00620b00600213100200220b00605d00604700213705d007", "0x620b00613800604b00200220b00606100604d00213806100720b006137", "0x213906400720b00613b06700704f00213b00620b00605f00604e002067", "0x606900605100206a06900720b00606400613200200220b006139006033", "0x5600213c00620b00606c00612f00206c00620b00606a00605300200220b", "0x20b00604f00612c00213f00620b00604e00600c00206f00620b00613c006", "0x13300214500620b00605100612b00214100620b006132006016002071006", "0x200220b00600200900207514514107113f01600607500620b00606f006", "0x604f00612c00207700620b00604e00600c00207600620b006135006058", "0x214b00620b00605100612b00214600620b00613200601600207900620b", "0x220b00600200900207b14b14607907701600607b00620b006076006133", "0x14a00620b00600213100200220b00602a00613600200220b00600211e002", "0x7f14a00705b00207f00620b00607f00604b00207f00620b006002134002", "0x15200620b0060c715100705d00215100620b0060021350020c700620b006", "0x600612c00214f00620b00612b00600c00214e00620b006152006058002", "0x15000620b00600900612b00208500620b00604100601600208300620b006", "0x20b00600200900215e15008508314f01600615e00620b00614e006133002", "0x20b00602a00613600200220b00607d00603300200220b00600211e002002", "0x3300216016100720b00615f00613700215f00620b00600900612b002002", "0x216300620b00600205f00215d00620b00600213100200220b006160006", "0x600213500215c00620b00616315d00705b00216300620b00616300604b", "0x15400620b00608700605800208700620b00615c16200705d00216200620b", "0x1700601600208a00620b00600600612c00215700620b00601500600c002", "0x16800620b00615400613300216e00620b00616100612b00215b00620b006", "0x200220b00600211e00200220b00600200900216816e15b08a157016006", "0xed00620b00600213100200220b00611b00606100200220b00602b006033", "0x8e0ed00705b00208e00620b00608e00604b00208e00620b006002138002", "0x16c00620b00616b0d000705d0020d000620b00600213500216b00620b006", "0x600612c00216d00620b00601500600c00209200620b00616c006058002", "0x17300620b00600900612b00209400620b00601700601600217100620b006", "0x20b00600200900209617309417116d01600609600620b006092006133002", "0x601500600c00217500620b00605400605800200220b00600211e002002", "0x217600620b00601700601600209900620b00600600612c0020d100620b", "0x1760990d101600617a00620b00617500613300209b00620b00600900612b", "0x20b00600c00606100200220b00600211e00200220b00600200900217a09b", "0x617c00604b00217c00620b00600213400209d00620b006002131002002", "0x20a000620b0060021350020cc00620b00617c09d00705b00217c00620b", "0x1000600c0020a200620b00617d00605800217d00620b0060cc0a000705d", "0x17f00620b0060140060160020a400620b00600600612c00217e00620b006", "0xa417e0160060d200620b0060a20061330020cd00620b00600900612b002", "0x600200200200220b00600213900201600620b0060020640020d20cd17f", "0x720c01000f00720b00700600200700700200220b00600200600200220b", "0x1000601600201c00620b00600f00600c00200220b006002009002015014", "0x20b0060650c401c00901000206500620b00600900600f0020c400620b006", "0x620d05400620b00701900601400200220b00600200600201901b017009", "0x2a00601700202a02900720b00605400601500200220b00600200900211b", "0x620b00602900601b00200220b00600200900202c00620e02b00620b007", "0xc400203002f00720b00602e00601c00202e00620b00602d00601900202d", "0x4800720b00603300601c00203300620b00600206500200220b00602f006", "0x3900605400203500620b00603000605400200220b0060480060c4002039", "0x220b00711e03500702900203500620b00603500611b00211e00620b006", "0x603700602b00203700620b00600202a00200220b0060020090020020f4", "0x20090020020f800600202d00210d00620b00612000602c00212000620b", "0x2c00203c00620b00603a00602e00203a00620b00600202a00200220b006", "0x20b00612400602c00212400620b00610d00602f00210d00620b00603c006", "0x200220b00600200900203e00620f07d00620b007124006030002124006", "0x620b00612a00603900212a00620b00600204800200220b00607d006033", "0x600200900204304100721012b12c00720b00712a01b01700903500212a", "0x20b00600212000212d00620b00600203700200220b00600211e00200220b", "0x600203c00204700620b00600203a00212e00620b00600210d002045006", "0x203e00204d00620b00600207d00213000620b00600212400213100620b", "0x204e00620b00604b04d13013104712e04512d01412a00204b00620b006", "0x600700612b00212f00620b00612b00601600205300620b00612c00600c", "0x205800620b00602b00604300213300620b00604e00604100205600620b", "0x600c01600713b00205100c13204f00c20b00605813305612f053016067", "0x220b00600200900213400621113600620b00705100606900200c00620b", "0x600213100200220b00605b00604700213505b00720b00613600606a002", "0x200220b00613700613c00205f13700720b00613500606c00205d00620b", "0x605f00606f00206700620b00613200601600213900620b00604f00600c", "0x20b00606913b06713900c13f00206900620b00605d00604e00213b00620b", "0x20b00600200900206c00621206a00620b007064006071002064138061009", "0x613200200220b00606f00603300206f13c00720b00606a006141002002", "0x620b00607100605300200220b00613f00605100207113f00720b00613c", "0x600c00207500620b00614500605600214500620b00614100612f002141", "0x620b00600c00612b00207700620b00613800601600207600620b006061", "0x20b00600200900214607907707600c00614600620b006075006133002079", "0x601600207b00620b00606100600c00214b00620b00606c006058002002", "0x620b00614b00613300207f00620b00600c00612b00214a00620b006138", "0x620b00613400605800200220b0060020090020c707f14a07b00c0060c7", "0x612b00214e00620b00613200601600215200620b00604f00600c002151", "0x208314f14e15200c00608300620b00615100613300214f00620b00600c", "0x13600200220b00601600614500200220b00600211e00200220b006002009", "0x215000620b00600213400208500620b00600213100200220b00602b006", "0x600213500215e00620b00615008500705b00215000620b00615000604b", "0x15f00620b00616000605800216000620b00615e16100705d00216100620b", "0x700612b00216300620b00604300601600215d00620b00604100600c002", "0x900216215c16315d00c00616200620b00615f00613300215c00620b006", "0x614500200220b00603e00603300200220b00600211e00200220b006002", "0x215700620b00600700612b00200220b00602b00613600200220b006016", "0x20b00600213100200220b00615400603300215408700720b006157006137", "0x705b00215b00620b00615b00604b00215b00620b00600205f00208a006", "0x20b00616e16800705d00216800620b00600213500216e00620b00615b08a", "0x1600216b00620b00601700600c00208e00620b0060ed0060580020ed006", "0x20b00608e00613300216c00620b00608700612b0020d000620b00601b006", "0x220b00600211e00200220b00600200900209216c0d016b00c006092006", "0x20b00602900606100200220b00601600614500200220b00602c006033002", "0x617100604b00217100620b00600213800216d00620b006002131002002", "0x217300620b00600213500209400620b00617116d00705b00217100620b", "0x1700600c00217500620b00609600605800209600620b00609417300705d", "0x17600620b00600700612b00209900620b00601b0060160020d100620b006", "0x220b00600200900209b1760990d100c00609b00620b006175006133002", "0x620b00611b00605800200220b00601600614500200220b00600211e002", "0x612b00217c00620b00601b00601600209d00620b00601700600c00217a", "0x20a00cc17c09d00c0060a000620b00617a0061330020cc00620b006007", "0x6100200220b00601600614500200220b00600211e00200220b006002009", "0x20a200620b00600213400217d00620b00600213100200220b006009006", "0x600213500217e00620b0060a217d00705b0020a200620b0060a200604b", "0xcd00620b00617f00605800217f00620b00617e0a400705d0020a400620b", "0x700612b0020a800620b0060150060160020d200620b00601400600c002", "0x750020ce1800a80d200c0060ce00620b0060cd00613300218000620b006", "0x200600200220b00600200200200220b00600213900200f00620b006002", "0x200900201701500721301401000720b00700700200700700200220b006", "0x1901b00720b00601c00607600201c00620b00600c00600f00200220b006", "0x20c400621401600620b00701900607700201000620b00601000600c002", "0x620b00601400601600202900620b00601000600c00200220b006002009", "0x14600201600620b00601600f00707900202b00620b00601b00600f00202a", "0x11b00614b00200220b00600200600211b05406500920b00602b02a029009", "0x720b00602c00607b00200220b00600200900202d00621502c00620b007", "0x200220b00600200900203300621603000620b00702f00614a00202f02e", "0x603900601c00203900620b00604800601900204800620b00602e00601b", "0x1c00203700620b00600206500200220b0060350060c400211e03500720b", "0x20b00611e00605400200220b0061200060c400210d12000720b006037006", "0x2900203a00620b00603a00611b00203c00620b00610d00605400203a006", "0x620b00600202a00200220b00600200900200221700220b00703c03a007", "0x202d00203e00620b00607d00602c00207d00620b00612400602b002124", "0x12a00602e00212a00620b00600202a00200220b006002009002002218006", "0x12b00620b00603e00602f00203e00620b00612c00602c00212c00620b006", "0x204300621904100620b00712b00603000212b00620b00612b00602c002", "0x212d00620b00600204800200220b00604100603300200220b006002009", "0x721a12e04500720b00712d05406500903500212d00620b00612d006039", "0x620b00600203700200220b00600211e00200220b006002009002131047", "0x20b00600203a00204b00620b00600210d00204d00620b006002120002130", "0x600207d00213200620b00600212400204f00620b00600203c00204e006", "0x5113204f04e04b04d13001412a00205300620b00600203e00205100620b", "0x20b00605600604700213305600720b00612f00607f00212f00620b006053", "0x601600213700620b00600600612c00205d00620b00604500600c002002", "0x620b00613300604100206100620b00600900612b00205f00620b00612e", "0x100c700213900620b00603000604e00206400620b00601600604b002138", "0x713500615100213505b13413605801620b00613906413806105f13705d", "0x6900620b00606700615200200220b00600200900213b00621b06700620b", "0x6c00604d00213c06c00720b00606900613000206a00620b006002131002", "0x214100620b00606a00604e00207100620b00613c00604b00200220b006", "0x6f00613200200220b00613f00603300213f06f00720b00614107100704f", "0x7600620b00607500605300200220b00614500605100207514500720b006", "0x5800600c00207900620b00607700605600207700620b00607600612f002", "0x7b00620b00613400601600214b00620b00613600612c00214600620b006", "0x14b14601600607f00620b00607900613300214a00620b00605b00612b002", "0x600c0020c700620b00613b00605800200220b00600200900207f14a07b", "0x620b00613400601600215200620b00613600612c00215100620b006058", "0x15101600608300620b0060c700613300214f00620b00605b00612b00214e", "0x3000605100200220b00600211e00200220b00600200900208314f14e152", "0x213400208500620b00600213100200220b00601600604d00200220b006", "0x620b00615008500705b00215000620b00615000604b00215000620b006", "0x605800216000620b00615e16100705d00216100620b00600213500215e", "0x620b00600600612c00215d00620b00604700600c00215f00620b006160", "0x613300216200620b00600900612b00215c00620b006131006016002163", "0x11e00200220b00600200900208716215c16315d01600608700620b00615f", "0x4d00200220b00603000605100200220b00604300603300200220b006002", "0x720b00608a00613700208a00620b00600900612b00200220b006016006", "0x600205f00215b00620b00600213100200220b006157006033002157154", "0x16800620b00616e15b00705b00216e00620b00616e00604b00216e00620b", "0x8e00605800208e00620b0061680ed00705d0020ed00620b006002135002", "0x16c00620b00600600612c0020d000620b00606500600c00216b00620b006", "0x16b00613300216d00620b00615400612b00209200620b006054006016002", "0x211e00200220b00600200900217116d09216c0d001600617100620b006", "0x604d00200220b00602e00606100200220b00603300603300200220b006", "0x4b00217300620b00600213800209400620b00600213100200220b006016", "0x20b00600213500209600620b00617309400705b00217300620b006173006", "0x209900620b0060d10060580020d100620b00609617500705d002175006", "0x605400601600209b00620b00600600612c00217600620b00606500600c", "0x617c00620b00609900613300209d00620b00600900612b00217a00620b", "0x4d00200220b00600211e00200220b00600200900217c09d17a09b176016", "0x620b00606500600c0020cc00620b00602d00605800200220b006016006", "0x612b0020a200620b00605400601600217d00620b00600600612c0020a0", "0xa417e0a217d0a00160060a400620b0060cc00613300217e00620b006009", "0x200220b0060c400603300200220b00600211e00200220b006002009002", "0x17f00620b00600213100200220b00600f00614e00200220b00601b006061", "0xcd17f00705b0020cd00620b0060cd00604b0020cd00620b006002138002", "0x18000620b0060d20a800705d0020a800620b0060021350020d200620b006", "0x600612c0020ab00620b00601000600c0020ce00620b006180006058002", "0xc800620b00600900612b0020cf00620b00601400601600218100620b006", "0x20b0060020090020c90c80cf1810ab0160060c900620b0060ce006133002", "0x20b00600f00614e00200220b00600c00606100200220b00600211e002002", "0x60cb00604b0020cb00620b0060021340020ca00620b006002131002002", "0x20b300620b0060021350020c600620b0060cb0ca00705b0020cb00620b", "0x1500600c00218e00620b0060b50060580020b500620b0060c60b300705d", "0xba00620b0060170060160020b900620b00600600612c0020b700620b006", "0xb90b70160060bd00620b00618e0061330020bb00620b00600900612b002", "0x208300201500620b00600206400201000620b00600214f0020bd0bb0ba", "0x200200200220b00600213900201c00620b00600208500201b00620b006", "0x21c0650c400720b00700900600700700200220b00600200600200220b006", "0x601600202c00620b0060c400600c00200220b00600200900211b054007", "0x602e02d02c00915000202e00620b00601600600f00202d00620b006065", "0x21d02f00620b00702b00615e00200220b00600200600202b02a02900920b", "0x616000204803300720b00602f00616100200220b006002009002030006", "0x20b00602900600c00200220b00600200900203900621e01900620b007048", "0x15f00203a00620b00603300600f00210d00620b00602a006016002120006", "0x203711e03500920b00603a10d12000914600201900620b00601901c007", "0x600200900212400621f03c00620b00703700614b00200220b006002006", "0x22012a00620b00703e00614a00203e07d00720b00603c00607b00200220b", "0x12b00601900212b00620b00607d00601b00200220b00600200900212c006", "0x220b0060430060c400212d04300720b00604100601c00204100620b006", "0x12e0060c400204712e00720b00604500601c00204500620b006002065002", "0x213000620b00604700605400213100620b00612d00605400200220b006", "0x200900200222100220b00713013100702900213100620b00613100611b", "0x2c00204b00620b00604d00602b00204d00620b00600202a00200220b006", "0x2a00200220b00600200900200222200600202d00204e00620b00604b006", "0x620b00613200602c00213200620b00604f00602e00204f00620b006002", "0x603000205100620b00605100602c00205100620b00604e00602f00204e", "0x20b00605300603300200220b00600200900212f00622305300620b007051", "0x3500903500205600620b00605600603900205600620b006002048002002", "0x211e00200220b00600200900213413600722405813300720b00705611e", "0x210d00213500620b00600212000205b00620b00600203700200220b006", "0x12400205f00620b00600203c00213700620b00600203a00205d00620b006", "0x206400620b00600203e00213800620b00600207d00206100620b006002", "0x20b00613300600c00213900620b00606413806105f13705d13505b01412a", "0x15d00213c00620b00605800601600206c00620b00600700612c00206a006", "0x20b00613900604100213f00620b00600c00612b00206f00620b006002006", "0x15c00214500620b00612a00604e00214100620b006019006163002071006", "0x16200206901400f13b01706700f20b00614514107113f06f13c06c06a014", "0x1500713b00200f00620b00600f01000708700201700620b00601701b007", "0x600200900207600622507500620b00706900606900201400620b006014", "0x13100200220b00607700604700207907700720b00607500606a00200220b", "0x20b00614b00613c00207b14b00720b00607900606c00214600620b006002", "0x606f00215200620b00613b00601600215100620b00606700600c002002", "0x14f14e15215100c13f00214f00620b00614600604e00214e00620b00607b", "0x200900208500622608300620b0070c70060710020c707f14a00920b006", "0x200220b00615e00603300215e15000720b00608300614100200220b006", "0x616000605300200220b00616100605100216016100720b006150006132", "0x216300620b00615d00605600215d00620b00615f00612f00215f00620b", "0x601700612c00216200620b00614a00600c00215c00620b00600f00615d", "0x215700620b00601400612b00215400620b00607f00601600208700620b", "0x20b00600200900208a15715408716215c00f00608a00620b006163006133", "0x600c00216e00620b00600f00615d00215b00620b006085006058002002", "0x620b00607f0060160020ed00620b00601700612c00216800620b00614a", "0x16e00f0060d000620b00615b00613300216b00620b00601400612b00208e", "0x216c00620b00607600605800200220b0060020090020d016b08e0ed168", "0x601700612c00216d00620b00606700600c00209200620b00600f00615d", "0x217300620b00601400612b00209400620b00613b00601600217100620b", "0x20b00600200900209617309417116d09200f00609600620b00616c006133", "0x20b00601000615700200220b00601b00615400200220b00600211e002002", "0x601900608a00200220b00612a00605100200220b006015006145002002", "0xd100604b0020d100620b00600213400217500620b00600213100200220b", "0x17600620b00600213500209900620b0060d117500705b0020d100620b006", "0x615d00217a00620b00609b00605800209b00620b00609917600705d002", "0x620b00600700612c00217c00620b00613600600c00209d00620b006002", "0x613300217d00620b00600c00612b0020a000620b0061340060160020cc", "0x200220b0060020090020a217d0a00cc17c09d00f0060a200620b00617a", "0x200220b00601b00615400200220b00612f00603300200220b00600211e", "0x220b00612a00605100200220b00601500614500200220b006010006157", "0x617f00613700217f00620b00600c00612b00200220b00601900608a002", "0x5f0020cd00620b00600213100200220b0060a40060330020a417e00720b", "0x20b0060d20cd00705b0020d200620b0060d200604b0020d200620b006002", "0x580020ce00620b0060a818000705d00218000620b0060021350020a8006", "0x20b00603500600c00218100620b00600200615d0020ab00620b0060ce006", "0x12b0020c900620b00611e0060160020c800620b00600700612c0020cf006", "0xc90c80cf18100f0060cb00620b0060ab0061330020ca00620b00617e006", "0x20b00612c00603300200220b00600211e00200220b0060020090020cb0ca", "0x601500614500200220b00601000615700200220b00601b006154002002", "0x600213100200220b00601900608a00200220b00607d00606100200220b", "0x5b0020b300620b0060b300604b0020b300620b0060021380020c600620b", "0x60b518e00705d00218e00620b0060021350020b500620b0060b30c6007", "0x20ba00620b00600200615d0020b900620b0060b70060580020b700620b", "0x611e0060160020bd00620b00600700612c0020bb00620b00603500600c", "0x60bf00620b0060b90061330020be00620b00600c00612b00218f00620b", "0x200220b00600211e00200220b0060020090020bf0be18f0bd0bb0ba00f", "0x220b00601500614500200220b00601000615700200220b00601b006154", "0x600200615d0020c100620b00612400605800200220b00601900608a002", "0x219b00620b00600700612c0020c300620b00603500600c00219000620b", "0x60c10061330020d400620b00600c00612b00219c00620b00611e006016", "0x211e00200220b00600200900219d0d419c19b0c319000f00619d00620b", "0x615700200220b00601b00615400200220b00603900603300200220b006", "0x15b00200220b00603300606100200220b00601500614500200220b006010", "0x20d600620b0060021380021a000620b00600213100200220b00601c006", "0x600213500219f00620b0060d61a000705b0020d600620b0060d600604b", "0x1a100620b0060d90060580020d900620b00619f0d700705d0020d700620b", "0x700612c0021a300620b00602900600c0020db00620b00600200615d002", "0xdf00620b00600c00612b0021a500620b00602a0060160021a400620b006", "0x60020090021a60df1a51a41a30db00f0061a600620b0061a1006133002", "0x601000615700200220b00601b00615400200220b00600211e00200220b", "0x3000605800200220b00601c00615b00200220b00601500614500200220b", "0x1ae00620b00602900600c0021ad00620b00600200615d0021b200620b006", "0xc00612b0020e500620b00602a0060160021b400620b00600700612c002", "0x1b80e70e51b41ae1ad00f0061b800620b0061b20061330020e700620b006", "0x200220b00601b00615400200220b00600211e00200220b006002009002", "0x220b00601c00615b00200220b00601500614500200220b006010006157", "0x620b0060021340021ba00620b00600213100200220b006016006061002", "0x1350020ea00620b0061bd1ba00705b0021bd00620b0061bd00604b0021bd", "0x20b0061bf0060580021bf00620b0060ea0ec00705d0020ec00620b006002", "0x12c0021c500620b00605400600c0021c100620b00600200615d0020ef006", "0x20b00600c00612b0020f400620b00611b0060160020f200620b006007006", "0x20021ca1c80f40f21c51c100f0061ca00620b0060ef0061330021c8006", "0xf01600720b00700700600700700200220b00600200600200220b006002", "0x1600201900620b00601600600c00200220b006002009002014010007227", "0xc401c0190091500020c400620b00600c00600f00201c00620b00600f006", "0x6500620b00701b00615e00200220b00600200600201b01701500920b006", "0x16000202911b00720b00606500616100200220b006002009002054006228", "0x611b00601b00200220b00600200900202b00622902a00620b007029006", "0x2f02e00720b00602d00601c00202d00620b00602c00601900202c00620b", "0x20b00603000601c00203000620b00600206500200220b00602e0060c4002", "0x5400203900620b00602f00605400200220b0060330060c4002048033007", "0x703503900702900203900620b00603900611b00203500620b006048006", "0x602b00211e00620b00600202a00200220b00600200900200222a00220b", "0x200222b00600202d00212000620b00603700602c00203700620b00611e", "0x3a00620b00610d00602e00210d00620b00600202a00200220b006002009", "0x3c00602c00203c00620b00612000602f00212000620b00603a00602c002", "0x20b00600200900207d00622c12400620b00703c00603000203c00620b006", "0x603e00603900203e00620b00600204800200220b006124006033002002", "0x900204112b00722d12c12a00720b00703e01701500903500203e00620b", "0x212000204300620b00600203700200220b00600211e00200220b006002", "0x3c00212e00620b00600203a00204500620b00600210d00212d00620b006", "0x213000620b00600207d00213100620b00600212400204700620b006002", "0x620b00604d13013104712e04512d04301412a00204d00620b00600203e", "0x600c00200220b00604e00604700204f04e00720b00604b00607f00204b", "0x620b00600200615d00205800620b00612c00601600213300620b00612a", "0x616300205b00620b00604f00604100213400620b00600900612b002136", "0x5305113201620b00613505b13413605813300f16e00213500620b00602a", "0x200220b00600200900213700622e05d00620b00705600615100205612f", "0x20b00605f00613000206100620b00600213100205f00620b00605d006152", "0x4e00213b00620b00606400604b00200220b00613800604d002064138007", "0x6700603300206713900720b00606913b00704f00206900620b006061006", "0x200220b00606a00605100206c06a00720b00613900613200200220b006", "0x606f00605600206f00620b00613c00612f00213c00620b00606c006053", "0x214100620b00613200600c00207100620b00605300615d00213f00620b", "0x613f00613300207500620b00612f00612b00214500620b006051006016", "0x13700605800200220b00600200900207607514514107101600607600620b", "0x14600620b00613200600c00207900620b00605300615d00207700620b006", "0x7700613300207b00620b00612f00612b00214b00620b006051006016002", "0x211e00200220b00600200900214a07b14b14607901600614a00620b006", "0x213400207f00620b00600213100200220b00602a00608a00200220b006", "0x620b0060c707f00705b0020c700620b0060c700604b0020c700620b006", "0x605800214e00620b00615115200705d00215200620b006002135002151", "0x620b00612b00600c00208300620b00600200615d00214f00620b00614e", "0x613300215e00620b00600900612b00215000620b006041006016002085", "0x11e00200220b00600200900216115e15008508301600616100620b00614f", "0x12b00200220b00602a00608a00200220b00607d00603300200220b006002", "0x615f00603300215f16000720b00615d00613700215d00620b006009006", "0x15c00604b00215c00620b00600205f00216300620b00600213100200220b", "0x8700620b00600213500216200620b00615c16300705b00215c00620b006", "0x615d00215700620b00615400605800215400620b00616208700705d002", "0x620b00601700601600215b00620b00601500600c00208a00620b006002", "0x8a0160060ed00620b00615700613300216800620b00616000612b00216e", "0x2b00603300200220b00600211e00200220b0060020090020ed16816e15b", "0x213800208e00620b00600213100200220b00611b00606100200220b006", "0x620b00616b08e00705b00216b00620b00616b00604b00216b00620b006", "0x605800209200620b0060d016c00705d00216c00620b0060021350020d0", "0x620b00601500600c00217100620b00600200615d00216d00620b006092", "0x613300209600620b00600900612b00217300620b006017006016002094", "0x11e00200220b00600200900217509617309417101600617500620b00616d", "0x9900620b00600200615d0020d100620b00605400605800200220b006002", "0x900612b00209b00620b00601700601600217600620b00601500600c002", "0x209d17a09b17609901600609d00620b0060d100613300217a00620b006", "0x13100200220b00600c00606100200220b00600211e00200220b006002009", "0xcc00620b0060cc00604b0020cc00620b00600213400217c00620b006002", "0x17d00705d00217d00620b0060021350020a000620b0060cc17c00705b002", "0x620b00600200615d00217e00620b0060a20060580020a200620b0060a0", "0x612b0020cd00620b00601400601600217f00620b00601000600c0020a4", "0xa80d20cd17f0a40160060a800620b00617e0061330020d200620b006009", "0x720b00700700600700700200220b00600200600200220b006002002002", "0x1b00620b00600c00600f00200220b00600200900201401000722f00f016", "0x607700201600620b00601600600c00201701500720b00601b006076002", "0x20b00601500601b00200220b00600200900201c00623001900620b007017", "0x211b05400720b00606500601c00206500620b0060c40060190020c4006", "0x720b00602900601c00202900620b00600206500200220b0060540060c4", "0x605400202c00620b00611b00605400200220b00602a0060c400202b02a", "0x20b00702d02c00702900202c00620b00602c00611b00202d00620b00602b", "0x2e00602b00202e00620b00600202a00200220b006002009002002231002", "0x900200223200600202d00203000620b00602f00602c00202f00620b006", "0x204800620b00603300602e00203300620b00600202a00200220b006002", "0x603900602c00203900620b00603000602f00203000620b00604800602c", "0x220b00600200900211e00623303500620b00703900603000203900620b", "0x20b00603700603900203700620b00600204800200220b006035006033002", "0x200900203c03a00723410d12000720b00703700f016009035002037006", "0x600212000212400620b00600203700200220b00600211e00200220b006", "0x203c00212a00620b00600203a00203e00620b00600210d00207d00620b", "0x3e00204100620b00600207d00212b00620b00600212400212c00620b006", "0x12d00620b00604304112b12c12a03e07d12401412a00204300620b006002", "0x12000600c00200220b00604500604700212e04500720b00612d00607f002", "0x13200620b00600200615d00204f00620b00610d00601600204e00620b006", "0x1900604b00205300620b00612e00604100205100620b00600900612b002", "0x4d13013104701620b00612f05305113204f04e00f16800212f00620b006", "0x8e00200220b00600200900213300623505600620b00704b0060ed00204b", "0x720b00605800616b00213600620b00600213100205800620b006056006", "0x604e00213700620b00605b00602c00200220b0061340060d000205b134", "0x605d00603300205d13500720b00605f13700716c00205f00620b006136", "0x5300200220b00606100605100213806100720b00613500613200200220b", "0x20b00613900605600213900620b00606400612f00206400620b006138006", "0x1600206900620b00604700600c00213b00620b00613000615d002067006", "0x20b00606700613300206c00620b00604d00612b00206a00620b006131006", "0x613300605800200220b00600200900213c06c06a06913b01600613c006", "0x207100620b00604700600c00213f00620b00613000615d00206f00620b", "0x606f00613300214500620b00604d00612b00214100620b006131006016", "0x600211e00200220b00600200900207514514107113f01600607500620b", "0x600213400207600620b00600213100200220b00601900604d00200220b", "0x7900620b00607707600705b00207700620b00607700604b00207700620b", "0x14b00605800214b00620b00607914600705d00214600620b006002135002", "0x7f00620b00603a00600c00214a00620b00600200615d00207b00620b006", "0x7b00613300215100620b00600900612b0020c700620b00603c006016002", "0x211e00200220b0060020090021521510c707f14a01600615200620b006", "0x612b00200220b00601900604d00200220b00611e00603300200220b006", "0x20b00614f00603300214f14e00720b00608300613700208300620b006009", "0x615000604b00215000620b00600205f00208500620b006002131002002", "0x216100620b00600213500215e00620b00615008500705b00215000620b", "0x200615d00215f00620b00616000605800216000620b00615e16100705d", "0x15c00620b00600f00601600216300620b00601600600c00215d00620b006", "0x16315d01600608700620b00615f00613300216200620b00614e00612b002", "0x601c00603300200220b00600211e00200220b00600200900208716215c", "0x600213800215400620b00600213100200220b00601500606100200220b", "0x8a00620b00615715400705b00215700620b00615700604b00215700620b", "0x16e00605800216e00620b00608a15b00705d00215b00620b006002135002", "0x8e00620b00601600600c0020ed00620b00600200615d00216800620b006", "0x1680061330020d000620b00600900612b00216b00620b00600f006016002", "0x211e00200220b00600200900216c0d016b08e0ed01600616c00620b006", "0x213400209200620b00600213100200220b00600c00606100200220b006", "0x620b00616d09200705b00216d00620b00616d00604b00216d00620b006", "0x605800217300620b00617109400705d00209400620b006002135002171", "0x620b00601000600c00217500620b00600200615d00209600620b006173", "0x613300217600620b00600900612b00209900620b0060140060160020d1", "0x201600620b00600206400209b1760990d117501600609b00620b006096", "0x600200220b00600200200200220b00600213900201000620b006002092", "0x900201b01700723601501400720b00700600200700700200220b006002", "0x5400620b00600900600f00206500620b00601400600c00200220b006002", "0x23700f00620b0070c40061710020c401c01900920b00605406500716d002", "0x1500601600202c00620b00601900600c00200220b00600200900211b006", "0x620b00600f01000709400202e00620b00601c00600f00202d00620b006", "0x200220b00600200600202b02a02900920b00602e02d02c00914600200f", "0x2f00607b00200220b00600200900203000623802f00620b00702b00614b", "0x600200900203500623903900620b00704800614a00204803300720b006", "0x1c00203700620b00611e00601900211e00620b00603300601b00200220b", "0x620b00600206500200220b0061200060c400210d12000720b006037006", "0x605400200220b00603c0060c400212403c00720b00603a00601c00203a", "0x620b00607d00611b00203e00620b00612400605400207d00620b00610d", "0x202a00200220b00600200900200223a00220b00703e07d00702900207d", "0x12b00620b00612c00602c00212c00620b00612a00602b00212a00620b006", "0x204100620b00600202a00200220b00600200900200223b00600202d002", "0x612b00602f00212b00620b00604300602c00204300620b00604100602e", "0x23c04500620b00712d00603000212d00620b00612d00602c00212d00620b", "0x20b00600204800200220b00604500603300200220b00600200900212e006", "0x13100720b00704702a02900903500204700620b006047006039002047006", "0x203700200220b00600211e00200220b00600200900204b04d00723d130", "0x3a00213200620b00600210d00204f00620b00600212000204e00620b006", "0x212f00620b00600212400205300620b00600203c00205100620b006002", "0x5113204f04e01412a00213300620b00600203e00205600620b00600207d", "0x13000601600213500620b00613100600c00205800620b00613305612f053", "0x5f00620b00605800604100213700620b00600700612b00205d00620b006", "0x13500f09600213800620b00603900604e00206100620b00600f006173002", "0x620b00600c01600713b00205b00c13413600c20b00613806105f13705d", "0xd100200220b00600200900213900623e06400620b00705b00617500200c", "0x620b00600213100200220b00606700604700213b06700720b006064006", "0x600c00200220b00606a00605100206c06a00720b00613b006132002069", "0x620b00606c00609900214100620b00613400601600207100620b006136", "0x13c00920b00607514514107100c17600207500620b00606900604e002145", "0x200220b00600200900207700623f07600620b00713f00607100213f06f", "0x607900613200200220b00614600603300214607900720b006076006141", "0x214a00620b00607b00605300200220b00614b00605100207b14b00720b", "0x613c00600c0020c700620b00607f00605600207f00620b00614a00612f", "0x214e00620b00600c00612b00215200620b00606f00601600215100620b", "0x200220b00600200900214f14e15215100c00614f00620b0060c7006133", "0x606f00601600208500620b00613c00600c00208300620b006077006058", "0x616100620b00608300613300215e00620b00600c00612b00215000620b", "0x216000620b00613900605800200220b00600200900216115e15008500c", "0x600c00612b00215d00620b00613400601600215f00620b00613600600c", "0x200900215c16315d15f00c00615c00620b00616000613300216300620b", "0x3900605100200220b00601600614500200220b00600211e00200220b006", "0x213400216200620b00600213100200220b00600f00609b00200220b006", "0x620b00608716200705b00208700620b00608700604b00208700620b006", "0x605800208a00620b00615415700705d00215700620b006002135002154", "0x620b00604b00601600216e00620b00604d00600c00215b00620b00608a", "0x16e00c00608e00620b00615b0061330020ed00620b00600700612b002168", "0x612e00603300200220b00600211e00200220b00600200900208e0ed168", "0xf00609b00200220b00603900605100200220b00601600614500200220b", "0xd016b00720b00616c00613700216c00620b00600700612b00200220b006", "0x620b00600205f00209200620b00600213100200220b0060d0006033002", "0x13500217100620b00616d09200705b00216d00620b00616d00604b00216d", "0x20b00617300605800217300620b00617109400705d00209400620b006002", "0x12b0020d100620b00602a00601600217500620b00602900600c002096006", "0x1760990d117500c00617600620b00609600613300209900620b00616b006", "0x200220b00603500603300200220b00600211e00200220b006002009002", "0x220b00600f00609b00200220b00603300606100200220b006016006145", "0x20b00617a00604b00217a00620b00600213800209b00620b006002131002", "0x5d00217c00620b00600213500209d00620b00617a09b00705b00217a006", "0x602900600c0020a000620b0060cc0060580020cc00620b00609d17c007", "0x217e00620b00600700612b0020a200620b00602a00601600217d00620b", "0x200220b0060020090020a417e0a217d00c0060a400620b0060a0006133", "0x200220b00600f00609b00200220b00601600614500200220b00600211e", "0x602a0060160020cd00620b00602900600c00217f00620b006030006058", "0x618000620b00617f0061330020a800620b00600700612b0020d200620b", "0x603300200220b00600211e00200220b0060020090021800a80d20cd00c", "0x17a00200220b00601c00606100200220b00601600614500200220b00611b", "0x20ab00620b0060021380020ce00620b00600213100200220b006010006", "0x600213500218100620b0060ab0ce00705b0020ab00620b0060ab00604b", "0xc900620b0060c80060580020c800620b0061810cf00705d0020cf00620b", "0x700612b0020cb00620b0060150060160020ca00620b00601900600c002", "0x90020b30c60cb0ca00c0060b300620b0060c90061330020c600620b006", "0x606100200220b00601600614500200220b00600211e00200220b006002", "0x1340020b500620b00600213100200220b00601000617a00200220b006009", "0x20b00618e0b500705b00218e00620b00618e00604b00218e00620b006002", "0x580020ba00620b0060b70b900705d0020b900620b0060021350020b7006", "0x20b00601b0060160020bd00620b00601700600c0020bb00620b0060ba006", "0xc0060bf00620b0060bb0061330020be00620b00600700612b00218f006", "0x200200200220b00600213900201600620b0060020640020bf0be18f0bd", "0x24001000f00720b00700600200700700200220b00600200600200220b006", "0x601600201c00620b00600f00600c00200220b006002009002015014007", "0x60650c401c00914600206500620b00600900600f0020c400620b006010", "0x24105400620b00701900614b00200220b00600200600201901b01700920b", "0x614a00202a02900720b00605400607b00200220b00600200900211b006", "0x20b00602900601b00200220b00600200900202c00624202b00620b00702a", "0x203002f00720b00602e00601c00202e00620b00602d00601900202d006", "0x720b00603300601c00203300620b00600206500200220b00602f0060c4", "0x605400203500620b00603000605400200220b0060480060c4002039048", "0x20b00711e03500702900203500620b00603500611b00211e00620b006039", "0x3700602b00203700620b00600202a00200220b006002009002002243002", "0x900200224400600202d00210d00620b00612000602c00212000620b006", "0x203c00620b00603a00602e00203a00620b00600202a00200220b006002", "0x612400602c00212400620b00610d00602f00210d00620b00603c00602c", "0x220b00600200900203e00624507d00620b00712400603000212400620b", "0x20b00612a00603900212a00620b00600204800200220b00607d006033002", "0x200900204304100724612b12c00720b00712a01b01700903500212a006", "0x600212000212d00620b00600203700200220b00600211e00200220b006", "0x203c00204700620b00600203a00212e00620b00600210d00204500620b", "0x3e00204d00620b00600207d00213000620b00600212400213100620b006", "0x4e00620b00604b04d13013104712e04512d01412a00204b00620b006002", "0x700612b00212f00620b00612b00601600205300620b00612c00600c002", "0x5800620b00602b00604e00213300620b00604e00604100205600620b006", "0xc01600713b00205100c13204f00c20b00605813305612f05301609d002", "0x20b00600200900213400624713600620b00705100617500200c00620b006", "0x213100200220b00605b00604700213505b00720b0061360060d1002002", "0x220b00613700605100205f13700720b00613500613200205d00620b006", "0x5f00609900206700620b00613200601600213900620b00604f00600c002", "0x606913b06713900c17600206900620b00605d00604e00213b00620b006", "0x600200900206c00624806a00620b00706400607100206413806100920b", "0x13200200220b00606f00603300206f13c00720b00606a00614100200220b", "0x20b00607100605300200220b00613f00605100207113f00720b00613c006", "0xc00207500620b00614500605600214500620b00614100612f002141006", "0x20b00600c00612b00207700620b00613800601600207600620b006061006", "0x600200900214607907707600c00614600620b006075006133002079006", "0x1600207b00620b00606100600c00214b00620b00606c00605800200220b", "0x20b00614b00613300207f00620b00600c00612b00214a00620b006138006", "0x20b00613400605800200220b0060020090020c707f14a07b00c0060c7006", "0x12b00214e00620b00613200601600215200620b00604f00600c002151006", "0x8314f14e15200c00608300620b00615100613300214f00620b00600c006", "0x200220b00601600614500200220b00600211e00200220b006002009002", "0x15000620b00600213400208500620b00600213100200220b00602b006051", "0x213500215e00620b00615008500705b00215000620b00615000604b002", "0x620b00616000605800216000620b00615e16100705d00216100620b006", "0x612b00216300620b00604300601600215d00620b00604100600c00215f", "0x216215c16315d00c00616200620b00615f00613300215c00620b006007", "0x14500200220b00603e00603300200220b00600211e00200220b006002009", "0x15700620b00600700612b00200220b00602b00605100200220b006016006", "0x600213100200220b00615400603300215408700720b006157006137002", "0x5b00215b00620b00615b00604b00215b00620b00600205f00208a00620b", "0x616e16800705d00216800620b00600213500216e00620b00615b08a007", "0x216b00620b00601700600c00208e00620b0060ed0060580020ed00620b", "0x608e00613300216c00620b00608700612b0020d000620b00601b006016", "0x20b00600211e00200220b00600200900209216c0d016b00c00609200620b", "0x602900606100200220b00601600614500200220b00602c006033002002", "0x17100604b00217100620b00600213800216d00620b00600213100200220b", "0x17300620b00600213500209400620b00617116d00705b00217100620b006", "0x600c00217500620b00609600605800209600620b00609417300705d002", "0x620b00600700612b00209900620b00601b0060160020d100620b006017", "0x20b00600200900209b1760990d100c00609b00620b006175006133002176", "0x20b00611b00605800200220b00601600614500200220b00600211e002002", "0x12b00217c00620b00601b00601600209d00620b00601700600c00217a006", "0xa00cc17c09d00c0060a000620b00617a0061330020cc00620b006007006", "0x200220b00601600614500200220b00600211e00200220b006002009002", "0xa200620b00600213400217d00620b00600213100200220b006009006061", "0x213500217e00620b0060a217d00705b0020a200620b0060a200604b002", "0x620b00617f00605800217f00620b00617e0a400705d0020a400620b006", "0x612b0020a800620b0060150060160020d200620b00601400600c0020cd", "0x20ce1800a80d200c0060ce00620b0060cd00613300218000620b006007", "0x1600720b00700700200700700200220b00600200600200220b006002002", "0x201b00620b00600c00600f00200220b00600200900201401000724900f", "0x1700607700201600620b00601600600c00201701500720b00601b006076", "0x620b00601500601b00200220b00600200900201c00624a01900620b007", "0xc400211b05400720b00606500601c00206500620b0060c40060190020c4", "0x2a00720b00602900601c00202900620b00600206500200220b006054006", "0x2b00605400202c00620b00611b00605400200220b00602a0060c400202b", "0x220b00702d02c00702900202c00620b00602c00611b00202d00620b006", "0x602e00602b00202e00620b00600202a00200220b00600200900200224b", "0x200900200224c00600202d00203000620b00602f00602c00202f00620b", "0x2c00204800620b00603300602e00203300620b00600202a00200220b006", "0x20b00603900602c00203900620b00603000602f00203000620b006048006", "0x200220b00600200900211e00624d03500620b007039006030002039006", "0x620b00603700603900203700620b00600204800200220b006035006033", "0x600200900203c03a00724e10d12000720b00703700f016009035002037", "0x20b00600212000212400620b00600203700200220b00600211e00200220b", "0x600203c00212a00620b00600203a00203e00620b00600210d00207d006", "0x203e00204100620b00600207d00212b00620b00600212400212c00620b", "0x212d00620b00604304112b12c12a03e07d12401412a00204300620b006", "0x612000600c00200220b00604500604700212e04500720b00612d00607f", "0x213200620b00610d00601600204f00620b00600600612c00204e00620b", "0x601900604b00205300620b00612e00604100205100620b00600900612b", "0x4b04d13013104701620b00612f05305113204f04e00f17c00212f00620b", "0x615200200220b00600200900213300624f05600620b00704b006151002", "0x13400720b00605800613000213600620b00600213100205800620b006056", "0x13600604e00213700620b00605b00604b00200220b00613400604d00205b", "0x20b00605d00603300205d13500720b00605f13700704f00205f00620b006", "0x605300200220b00606100605100213806100720b006135006132002002", "0x620b00613900605600213900620b00606400612f00206400620b006138", "0x601600206900620b00613100612c00213b00620b00604700600c002067", "0x620b00606700613300206c00620b00604d00612b00206a00620b006130", "0x20b00613300605800200220b00600200900213c06c06a06913b01600613c", "0x1600207100620b00613100612c00213f00620b00604700600c00206f006", "0x20b00606f00613300214500620b00604d00612b00214100620b006130006", "0x20b00600211e00200220b00600200900207514514107113f016006075006", "0x20b00600213400207600620b00600213100200220b00601900604d002002", "0x207900620b00607707600705b00207700620b00607700604b002077006", "0x614b00605800214b00620b00607914600705d00214600620b006002135", "0x207f00620b00600600612c00214a00620b00603a00600c00207b00620b", "0x607b00613300215100620b00600900612b0020c700620b00603c006016", "0x600211e00200220b0060020090021521510c707f14a01600615200620b", "0x900612b00200220b00601900604d00200220b00611e00603300200220b", "0x220b00614f00603300214f14e00720b00608300613700208300620b006", "0x20b00615000604b00215000620b00600205f00208500620b006002131002", "0x5d00216100620b00600213500215e00620b00615008500705b002150006", "0x601600600c00215f00620b00616000605800216000620b00615e161007", "0x215c00620b00600f00601600216300620b00600600612c00215d00620b", "0x15c16315d01600608700620b00615f00613300216200620b00614e00612b", "0x20b00601c00603300200220b00600211e00200220b006002009002087162", "0x20b00600213800215400620b00600213100200220b006015006061002002", "0x208a00620b00615715400705b00215700620b00615700604b002157006", "0x616e00605800216e00620b00608a15b00705d00215b00620b006002135", "0x208e00620b00600600612c0020ed00620b00601600600c00216800620b", "0x61680061330020d000620b00600900612b00216b00620b00600f006016", "0x600211e00200220b00600200900216c0d016b08e0ed01600616c00620b", "0x600213400209200620b00600213100200220b00600c00606100200220b", "0x17100620b00616d09200705b00216d00620b00616d00604b00216d00620b", "0x17300605800217300620b00617109400705d00209400620b006002135002", "0xd100620b00600600612c00217500620b00601000600c00209600620b006", "0x9600613300217600620b00600900612b00209900620b006014006016002", "0x200600200220b00600200200209b1760990d117501600609b00620b006", "0x200900201401000725000f01600720b00700700200700700200220b006", "0x1701500720b00601b00607600201b00620b00600c00600f00200220b006", "0x201c00625101900620b00701700607700201600620b00601600600c002", "0x720b00605400607600205400620b00601500600f00200220b006002009", "0x200220b00600200900202900625211b00620b0070650060770020650c4", "0x2b00607700202b02a00720b00602c00607600202c00620b0060c400600f", "0x620b00602a00600f00200220b00600200900202e00625302d00620b007", "0x625404800620b00703000607700203002f00720b006033006076002033", "0x603500601900203500620b00602f00601b00200220b006002009002039", "0x200220b0060370060c400212003700720b00611e00601c00211e00620b", "0x603a0060c400203c03a00720b00610d00601c00210d00620b006002065", "0x11b00207d00620b00603c00605400212400620b00612000605400200220b", "0x600200900200225500220b00707d12400702900212400620b006124006", "0x602c00212a00620b00603e00602b00203e00620b00600202a00200220b", "0x202a00200220b00600200900200225600600202d00212c00620b00612a", "0x12c00620b00604100602c00204100620b00612b00602e00212b00620b006", "0x4300603000204300620b00604300602c00204300620b00612c00602f002", "0x220b00612d00603300200220b00600200900204500625712d00620b007", "0xf01600903500212e00620b00612e00603900212e00620b006002048002", "0x600211e00200220b00600200900204d13000725813104700720b00712e", "0x600210d00204e00620b00600212000204b00620b00600203700200220b", "0x212400205100620b00600203c00213200620b00600203a00204f00620b", "0x12a00205600620b00600203e00212f00620b00600207d00205300620b006", "0x720b00613300607f00213300620b00605612f05305113204f04e04b014", "0x612c00205f00620b00604700600c00200220b006058006047002136058", "0x620b00600900612b00213800620b00613100601600206100620b006006", "0x604b00206700620b00601900604b00213900620b006136006041002064", "0x620b00604800604b00206900620b00602d00604b00213b00620b00611b", "0x5d13505b13401620b00606a06913b06713906413806105f0150cc00206a", "0x15200200220b00600200900213c00625906c00620b007137006151002137", "0x720b00606f00613000213f00620b00600213100206f00620b00606c006", "0x604e00207600620b00614100604b00200220b00607100604d002141071", "0x607500603300207514500720b00607707600704f00207700620b00613f", "0x5300200220b00607900605100214607900720b00614500613200200220b", "0x20b00607b00605600207b00620b00614b00612f00214b00620b006146006", "0x160020c700620b00605b00612c00207f00620b00613400600c00214a006", "0x20b00614a00613300215200620b00605d00612b00215100620b006135006", "0x613c00605800200220b00600200900214e1521510c707f01600614e006", "0x208500620b00605b00612c00208300620b00613400600c00214f00620b", "0x614f00613300215e00620b00605d00612b00215000620b006135006016", "0x600211e00200220b00600200900216115e15008508301600616100620b", "0x11b00604d00200220b00602d00604d00200220b00604800604d00200220b", "0x213400216000620b00600213100200220b00601900604d00200220b006", "0x620b00615f16000705b00215f00620b00615f00604b00215f00620b006", "0x605800215c00620b00615d16300705d00216300620b00600213500215d", "0x620b00600600612c00208700620b00613000600c00216200620b00615c", "0x613300208a00620b00600900612b00215700620b00604d006016002154", "0x11e00200220b00600200900215b08a15715408701600615b00620b006162", "0x4d00200220b00604800604d00200220b00604500603300200220b006002", "0x200220b00601900604d00200220b00611b00604d00200220b00602d006", "0x16800603300216816e00720b0060ed0061370020ed00620b00600900612b", "0x604b00216b00620b00600205f00208e00620b00600213100200220b006", "0x620b0060021350020d000620b00616b08e00705b00216b00620b00616b", "0xc00216d00620b00609200605800209200620b0060d016c00705d00216c", "0x20b00600f00601600209400620b00600600612c00217100620b006016006", "0x1600617500620b00616d00613300209600620b00616e00612b002173006", "0x603300200220b00600211e00200220b006002009002175096173094171", "0x4d00200220b00602d00604d00200220b00602f00606100200220b006039", "0x20d100620b00600213100200220b00601900604d00200220b00611b006", "0x60990d100705b00209900620b00609900604b00209900620b006002138", "0x217a00620b00617609b00705d00209b00620b00600213500217600620b", "0x600600612c00217c00620b00601600600c00209d00620b00617a006058", "0x217d00620b00600900612b0020a000620b00600f0060160020cc00620b", "0x220b0060020090020a217d0a00cc17c0160060a200620b00609d006133", "0x220b00602a00606100200220b00602e00603300200220b00600211e002", "0x620b00600213100200220b00601900604d00200220b00611b00604d002", "0x17e00705b0020a400620b0060a400604b0020a400620b00600213800217e", "0x620b00617f0cd00705d0020cd00620b00600213500217f00620b0060a4", "0x612c00218000620b00601600600c0020a800620b0060d20060580020d2", "0x620b00600900612b0020ab00620b00600f0060160020ce00620b006006", "0x60020090020cf1810ab0ce1800160060cf00620b0060a8006133002181", "0x60c400606100200220b00602900603300200220b00600211e00200220b", "0x60021380020c800620b00600213100200220b00601900604d00200220b", "0xca00620b0060c90c800705b0020c900620b0060c900604b0020c900620b", "0xc60060580020c600620b0060ca0cb00705d0020cb00620b006002135002", "0x18e00620b00600600612c0020b500620b00601600600c0020b300620b006", "0xb30061330020b900620b00600900612b0020b700620b00600f006016002", "0x211e00200220b0060020090020ba0b90b718e0b50160060ba00620b006", "0x213100200220b00601500606100200220b00601c00603300200220b006", "0x20bd00620b0060bd00604b0020bd00620b0060021380020bb00620b006", "0x18f0be00705d0020be00620b00600213500218f00620b0060bd0bb00705b", "0x19000620b00601600600c0020c100620b0060bf0060580020bf00620b006", "0x900612b00219b00620b00600f0060160020c300620b00600600612c002", "0x20d419c19b0c31900160060d400620b0060c100613300219c00620b006", "0x13100200220b00600c00606100200220b00600211e00200220b006002009", "0x1a000620b0061a000604b0021a000620b00600213400219d00620b006002", "0x19f00705d00219f00620b0060021350020d600620b0061a019d00705b002", "0x620b00601000600c0020d900620b0060d70060580020d700620b0060d6", "0x612b0021a300620b0060140060160020db00620b00600600612c0021a1", "0x1a51a41a30db1a10160061a500620b0060d90061330021a400620b006009", "0x720b00700900600700700200220b00600200600200220b006002002002", "0x1900620b00601600600f00200220b00600200900201501400725a01000f", "0x607700200f00620b00600f00600c00201b01700720b006019006076002", "0x20b00601700600f00200220b0060020090020c400625b01c00620b00701b", "0x25c02900620b00705400607700205406500720b00611b00607600211b006", "0x2d00607600202d00620b00606500600f00200220b00600200900202a006", "0x600200900202f00625d02e00620b00702c00607700202c02b00720b006", "0x1c00203300620b00603000601900203000620b00602b00601b00200220b", "0x620b00600206500200220b0060480060c400203904800720b006033006", "0x605400200220b00611e0060c400203711e00720b00603500601c002035", "0x620b00612000611b00210d00620b00603700605400212000620b006039", "0x202a00200220b00600200900200225e00220b00710d120007029002120", "0x12400620b00603c00602c00203c00620b00603a00602b00203a00620b006", "0x207d00620b00600202a00200220b00600200900200225f00600202d002", "0x612400602f00212400620b00603e00602c00203e00620b00607d00602e", "0x26012c00620b00712a00603000212a00620b00612a00602c00212a00620b", "0x20b00600204800200220b00612c00603300200220b00600200900212b006", "0x4300720b00704101000f00903500204100620b006041006039002041006", "0x203700200220b00600211e00200220b00600200900212e04500726112d", "0x3a00213000620b00600210d00213100620b00600212000204700620b006", "0x204e00620b00600212400204b00620b00600203c00204d00620b006002", "0x4d13013104701412a00213200620b00600203e00204f00620b00600207d", "0x700612c00213400620b00604300600c00205100620b00613204f04e04b", "0x5d00620b00600200615d00213500620b00612d00601600205b00620b006", "0x1c00604b00205f00620b00605100604100213700620b00600c00612b002", "0x6400620b00602e00604b00213800620b00602900604b00206100620b006", "0x5813305612f05300f20b00606413806105f13705d13505b1340150a0002", "0xa200200220b00600200900206700626213900620b00713600617d002136", "0x6900720b00613b00613200213b00620b00600213100200220b006139006", "0x6c00612f00206c00620b00606a00605300200220b00606900605100206a", "0x13f00620b00613300615d00206f00620b00613c00605600213c00620b006", "0x5600601600214100620b00612f00612c00207100620b00605300600c002", "0x7600620b00606f00613300207500620b00605800612b00214500620b006", "0x20b00606700605800200220b00600200900207607514514107113f00f006", "0x12c00214600620b00605300600c00207900620b00613300615d002077006", "0x20b00605800612b00207b00620b00605600601600214b00620b00612f006", "0x900207f14a07b14b14607900f00607f00620b00607700613300214a006", "0x604d00200220b00602e00604d00200220b00600211e00200220b006002", "0x1340020c700620b00600213100200220b00601c00604d00200220b006029", "0x20b0061510c700705b00215100620b00615100604b00215100620b006002", "0x5800214f00620b00615214e00705d00214e00620b006002135002152006", "0x20b00604500600c00208500620b00600200615d00208300620b00614f006", "0x12b00216100620b00612e00601600215e00620b00600700612c002150006", "0x16115e15008500f00615f00620b00608300613300216000620b00600c006", "0x20b00612b00603300200220b00600211e00200220b00600200900215f160", "0x601c00604d00200220b00602900604d00200220b00602e00604d002002", "0x216315d00720b00615c00613700215c00620b00600c00612b00200220b", "0x8700620b00600205f00216200620b00600213100200220b006163006033", "0x213500215400620b00608716200705b00208700620b00608700604b002", "0x620b00608a00605800208a00620b00615415700705d00215700620b006", "0x612c00216800620b00600f00600c00216e00620b00600200615d00215b", "0x620b00615d00612b00208e00620b0060100060160020ed00620b006007", "0x20090020d016b08e0ed16816e00f0060d000620b00615b00613300216b", "0x2b00606100200220b00602f00603300200220b00600211e00200220b006", "0x213100200220b00601c00604d00200220b00602900604d00200220b006", "0x209200620b00609200604b00209200620b00600213800216c00620b006", "0x16d17100705d00217100620b00600213500216d00620b00609216c00705b", "0x9600620b00600200615d00217300620b00609400605800209400620b006", "0x100060160020d100620b00600700612c00217500620b00600f00600c002", "0x9b00620b00617300613300217600620b00600c00612b00209900620b006", "0x220b00600211e00200220b00600200900209b1760990d117509600f006", "0x20b00601c00604d00200220b00606500606100200220b00602a006033002", "0x609d00604b00209d00620b00600213800217a00620b006002131002002", "0x20cc00620b00600213500217c00620b00609d17a00705b00209d00620b", "0x200615d00217d00620b0060a00060580020a000620b00617c0cc00705d", "0xa400620b00600700612c00217e00620b00600f00600c0020a200620b006", "0x17d0061330020cd00620b00600c00612b00217f00620b006010006016002", "0x11e00200220b0060020090020d20cd17f0a417e0a200f0060d200620b006", "0x13100200220b00601700606100200220b0060c400603300200220b006002", "0x18000620b00618000604b00218000620b0060021380020a800620b006002", "0xab00705d0020ab00620b0060021350020ce00620b0061800a800705b002", "0x620b00600200615d0020cf00620b00618100605800218100620b0060ce", "0x60160020ca00620b00600700612c0020c900620b00600f00600c0020c8", "0x620b0060cf0061330020c600620b00600c00612b0020cb00620b006010", "0x20b00600211e00200220b0060020090020b30c60cb0ca0c90c800f0060b3", "0x20b0060021340020b500620b00600213100200220b006016006061002002", "0x20b700620b00618e0b500705b00218e00620b00618e00604b00218e006", "0x60ba0060580020ba00620b0060b70b900705d0020b900620b006002135", "0x218f00620b00601400600c0020bd00620b00600200615d0020bb00620b", "0x600c00612b0020bf00620b0060150060160020be00620b00600700612c", "0x21900c10bf0be18f0bd00f00619000620b0060bb0061330020c100620b", "0xc00720b00700600200700700200220b00600200600200220b006002002", "0x201700620b00600900600f00200220b00600200900201000f007263016", "0x1500607700200c00620b00600c00600c00201501400720b006017006076", "0x620b00601400601b00200220b00600200900201900626401b00620b007", "0xc400205406500720b0060c400601c0020c400620b00601c00601900201c", "0x2900720b00611b00601c00211b00620b00600206500200220b006065006", "0x2a00605400202b00620b00605400605400200220b0060290060c400202a", "0x220b00702c02b00702900202b00620b00602b00611b00202c00620b006", "0x602d00602b00202d00620b00600202a00200220b006002009002002265", "0x200900200226600600202d00202f00620b00602e00602c00202e00620b", "0x2c00203300620b00603000602e00203000620b00600202a00200220b006", "0x20b00604800602c00204800620b00602f00602f00202f00620b006033006", "0x200220b00600200900203500626703900620b007048006030002048006", "0x620b00611e00603900211e00620b00600204800200220b006039006033", "0x600200900203a10d00726812003700720b00711e01600c00903500211e", "0x20b00600212000203c00620b00600203700200220b00600211e00200220b", "0x600203c00203e00620b00600203a00207d00620b00600210d002124006", "0x203e00212b00620b00600207d00212c00620b00600212400212a00620b", "0x204300620b00604112b12c12a03e07d12403c01412a00204100620b006", "0x600700612b00213000620b00612000601600213100620b00603700600c", "0x204e00620b00601b00604b00204b00620b00604300604100204d00620b", "0x20b00704700617d00204712e04512d00c20b00604e04b04d13013101617e", "0x13100200220b00604f0060a200200220b00600200900213200626904f006", "0x20b00605300605100212f05300720b00605100613200205100620b006002", "0x605600213300620b00605600612f00205600620b00612f006053002002", "0x620b00604500601600213600620b00612d00600c00205800620b006133", "0x13600c00613500620b00605800613300205b00620b00612e00612b002134", "0x600c00205d00620b00613200605800200220b00600200900213505b134", "0x620b00612e00612b00205f00620b00604500601600213700620b00612d", "0x20b00600200900213806105f13700c00613800620b00605d006133002061", "0x620b00600213100200220b00601b00604d00200220b00600211e002002", "0x6400705b00213900620b00613900604b00213900620b006002134002064", "0x620b00606713b00705d00213b00620b00600213500206700620b006139", "0x601600206c00620b00610d00600c00206a00620b006069006058002069", "0x620b00606a00613300206f00620b00600700612b00213c00620b00603a", "0x200220b00600211e00200220b00600200900213f06f13c06c00c00613f", "0x620b00600700612b00200220b00601b00604d00200220b006035006033", "0x213100200220b00614100603300214107100720b006145006137002145", "0x207600620b00607600604b00207600620b00600205f00207500620b006", "0x7707900705d00207900620b00600213500207700620b00607607500705b", "0x7b00620b00600c00600c00214b00620b00614600605800214600620b006", "0x14b00613300207f00620b00607100612b00214a00620b006016006016002", "0x600211e00200220b0060020090020c707f14a07b00c0060c700620b006", "0x600213100200220b00601400606100200220b00601900603300200220b", "0x5b00215200620b00615200604b00215200620b00600213800215100620b", "0x614e14f00705d00214f00620b00600213500214e00620b006152151007", "0x215000620b00600c00600c00208500620b00608300605800208300620b", "0x608500613300216100620b00600700612b00215e00620b006016006016", "0x20b00600211e00200220b00600200900216016115e15000c00616000620b", "0x20b00600213400215f00620b00600213100200220b006009006061002002", "0x216300620b00615d15f00705b00215d00620b00615d00604b00215d006", "0x616200605800216200620b00616315c00705d00215c00620b006002135", "0x215700620b00601000601600215400620b00600f00600c00208700620b", "0x8a15715400c00615b00620b00608700613300208a00620b00600700612b", "0x20b00700600200700700200220b00600200600200220b00600200200215b", "0x620b00600900600f00200220b00600200900201000f00726a01600c007", "0x7700200c00620b00600c00600c00201501400720b006017006076002017", "0x601400601b00200220b00600200900201900626b01b00620b007015006", "0x5406500720b0060c400601c0020c400620b00601c00601900201c00620b", "0x20b00611b00601c00211b00620b00600206500200220b0060650060c4002", "0x5400202b00620b00605400605400200220b0060290060c400202a029007", "0x702c02b00702900202b00620b00602b00611b00202c00620b00602a006", "0x602b00202d00620b00600202a00200220b00600200900200226c00220b", "0x200226d00600202d00202f00620b00602e00602c00202e00620b00602d", "0x3300620b00603000602e00203000620b00600202a00200220b006002009", "0x4800602c00204800620b00602f00602f00202f00620b00603300602c002", "0x20b00600200900203500626e03900620b00704800603000204800620b006", "0x611e00603900211e00620b00600204800200220b006039006033002002", "0x900203a10d00726f12003700720b00711e01600c00903500211e00620b", "0x212000203c00620b00600203700200220b00600211e00200220b006002", "0x3c00203e00620b00600203a00207d00620b00600210d00212400620b006", "0x212b00620b00600207d00212c00620b00600212400212a00620b006002", "0x620b00604112b12c12a03e07d12403c01412a00204100620b00600203e", "0x612b00213000620b00612000601600213100620b00603700600c002043", "0x620b00601b00604b00204b00620b00604300604100204d00620b006007", "0x4700617d00204712e04512d00c20b00604e04b04d1301310160a400204e", "0x220b00604f0060a200200220b00600200900213200627004f00620b007", "0x5300605100212f05300720b00605100613200205100620b006002131002", "0x213300620b00605600612f00205600620b00612f00605300200220b006", "0x604500601600213600620b00612d00600c00205800620b006133006056", "0x613500620b00605800613300205b00620b00612e00612b00213400620b", "0x205d00620b00613200605800200220b00600200900213505b13413600c", "0x612e00612b00205f00620b00604500601600213700620b00612d00600c", "0x200900213806105f13700c00613800620b00605d00613300206100620b", "0x600213100200220b00601b00604d00200220b00600211e00200220b006", "0x5b00213900620b00613900604b00213900620b00600213400206400620b", "0x606713b00705d00213b00620b00600213500206700620b006139064007", "0x206c00620b00610d00600c00206a00620b00606900605800206900620b", "0x606a00613300206f00620b00600700612b00213c00620b00603a006016", "0x20b00600211e00200220b00600200900213f06f13c06c00c00613f00620b", "0x600700612b00200220b00601b00604d00200220b006035006033002002", "0x200220b00614100603300214107100720b00614500613700214500620b", "0x620b00607600604b00207600620b00600205f00207500620b006002131", "0x705d00207900620b00600213500207700620b00607607500705b002076", "0x20b00600c00600c00214b00620b00614600605800214600620b006077079", "0x13300207f00620b00607100612b00214a00620b00601600601600207b006", "0x11e00200220b0060020090020c707f14a07b00c0060c700620b00614b006", "0x13100200220b00601400606100200220b00601900603300200220b006002", "0x15200620b00615200604b00215200620b00600213800215100620b006002", "0x14f00705d00214f00620b00600213500214e00620b00615215100705b002", "0x620b00600c00600c00208500620b00608300605800208300620b00614e", "0x613300216100620b00600700612b00215e00620b006016006016002150", "0x211e00200220b00600200900216016115e15000c00616000620b006085", "0x213400215f00620b00600213100200220b00600900606100200220b006", "0x620b00615d15f00705b00215d00620b00615d00604b00215d00620b006", "0x605800216200620b00616315c00705d00215c00620b006002135002163", "0x620b00601000601600215400620b00600f00600c00208700620b006162", "0x15400c00615b00620b00608700613300208a00620b00600700612b002157", "0x600200700700200220b00600200600200220b00600200200215b08a157", "0x600900600f00200220b00600200900201000f00727101600c00720b007", "0xc00620b00600c00600c00201501400720b00601700607600201700620b", "0x601b00200220b00600200900201900627201b00620b007015006077002", "0x720b0060c400601c0020c400620b00601c00601900201c00620b006014", "0x11b00601c00211b00620b00600206500200220b0060650060c4002054065", "0x2b00620b00605400605400200220b0060290060c400202a02900720b006", "0x2b00702900202b00620b00602b00611b00202c00620b00602a006054002", "0x202d00620b00600202a00200220b00600200900200227300220b00702c", "0x27400600202d00202f00620b00602e00602c00202e00620b00602d00602b", "0x20b00603000602e00203000620b00600202a00200220b006002009002002", "0x2c00204800620b00602f00602f00202f00620b00603300602c002033006", "0x200900203500627503900620b00704800603000204800620b006048006", "0x603900211e00620b00600204800200220b00603900603300200220b006", "0x3a10d00727612003700720b00711e01600c00903500211e00620b00611e", "0x203c00620b00600203700200220b00600211e00200220b006002009002", "0x3e00620b00600203a00207d00620b00600210d00212400620b006002120", "0x620b00600207d00212c00620b00600212400212a00620b00600203c002", "0x604112b12c12a03e07d12403c01412a00204100620b00600203e00212b", "0x213000620b00612000601600213100620b00603700600c00204300620b", "0x601b00604b00204b00620b00604300604100204d00620b00600700612b", "0x17d00204712e04512d00c20b00604e04b04d13013101617f00204e00620b", "0x604f0060a200200220b00600200900213200627704f00620b007047006", "0x5100212f05300720b00605100613200205100620b00600213100200220b", "0x620b00605600612f00205600620b00612f00605300200220b006053006", "0x601600213600620b00612d00600c00205800620b006133006056002133", "0x620b00605800613300205b00620b00612e00612b00213400620b006045", "0x620b00613200605800200220b00600200900213505b13413600c006135", "0x612b00205f00620b00604500601600213700620b00612d00600c00205d", "0x213806105f13700c00613800620b00605d00613300206100620b00612e", "0x13100200220b00601b00604d00200220b00600211e00200220b006002009", "0x13900620b00613900604b00213900620b00600213400206400620b006002", "0x13b00705d00213b00620b00600213500206700620b00613906400705b002", "0x620b00610d00600c00206a00620b00606900605800206900620b006067", "0x613300206f00620b00600700612b00213c00620b00603a00601600206c", "0x211e00200220b00600200900213f06f13c06c00c00613f00620b00606a", "0x612b00200220b00601b00604d00200220b00603500603300200220b006", "0x20b00614100603300214107100720b00614500613700214500620b006007", "0x607600604b00207600620b00600205f00207500620b006002131002002", "0x207900620b00600213500207700620b00607607500705b00207600620b", "0xc00600c00214b00620b00614600605800214600620b00607707900705d", "0x7f00620b00607100612b00214a00620b00601600601600207b00620b006", "0x220b0060020090020c707f14a07b00c0060c700620b00614b006133002", "0x220b00601400606100200220b00601900603300200220b00600211e002", "0x20b00615200604b00215200620b00600213800215100620b006002131002", "0x5d00214f00620b00600213500214e00620b00615215100705b002152006", "0x600c00600c00208500620b00608300605800208300620b00614e14f007", "0x216100620b00600700612b00215e00620b00601600601600215000620b", "0x200220b00600200900216016115e15000c00616000620b006085006133", "0x215f00620b00600213100200220b00600900606100200220b00600211e", "0x615d15f00705b00215d00620b00615d00604b00215d00620b006002134", "0x216200620b00616315c00705d00215c00620b00600213500216300620b", "0x601000601600215400620b00600f00600c00208700620b006162006058", "0x615b00620b00608700613300208a00620b00600700612b00215700620b", "0x700700200220b00600200600200220b00600200200215b08a15715400c", "0x600f00200220b00600200900201000f00727801600c00720b007006002", "0x20b00600c00600c00201501400720b00601700607600201700620b006009", "0x200220b00600200900201900627901b00620b00701500607700200c006", "0x60c400601c0020c400620b00601c00601900201c00620b00601400601b", "0x1c00211b00620b00600206500200220b0060650060c400205406500720b", "0x20b00605400605400200220b0060290060c400202a02900720b00611b006", "0x2900202b00620b00602b00611b00202c00620b00602a00605400202b006", "0x620b00600202a00200220b00600200900200227a00220b00702c02b007", "0x202d00202f00620b00602e00602c00202e00620b00602d00602b00202d", "0x3000602e00203000620b00600202a00200220b00600200900200227b006", "0x4800620b00602f00602f00202f00620b00603300602c00203300620b006", "0x203500627c03900620b00704800603000204800620b00604800602c002", "0x211e00620b00600204800200220b00603900603300200220b006002009", "0x727d12003700720b00711e01600c00903500211e00620b00611e006039", "0x620b00600203700200220b00600211e00200220b00600200900203a10d", "0x20b00600203a00207d00620b00600210d00212400620b00600212000203c", "0x600207d00212c00620b00600212400212a00620b00600203c00203e006", "0x12b12c12a03e07d12403c01412a00204100620b00600203e00212b00620b", "0x620b00612000601600213100620b00603700600c00204300620b006041", "0x604b00204b00620b00604300604100204d00620b00600700612b002130", "0x4712e04512d00c20b00604e04b04d1301310160cd00204e00620b00601b", "0x60a200200220b00600200900213200627e04f00620b00704700617d002", "0x12f05300720b00605100613200205100620b00600213100200220b00604f", "0x605600612f00205600620b00612f00605300200220b006053006051002", "0x213600620b00612d00600c00205800620b00613300605600213300620b", "0x605800613300205b00620b00612e00612b00213400620b006045006016", "0x613200605800200220b00600200900213505b13413600c00613500620b", "0x205f00620b00604500601600213700620b00612d00600c00205d00620b", "0x6105f13700c00613800620b00605d00613300206100620b00612e00612b", "0x220b00601b00604d00200220b00600211e00200220b006002009002138", "0x20b00613900604b00213900620b00600213400206400620b006002131002", "0x5d00213b00620b00600213500206700620b00613906400705b002139006", "0x610d00600c00206a00620b00606900605800206900620b00606713b007", "0x206f00620b00600700612b00213c00620b00603a00601600206c00620b", "0x200220b00600200900213f06f13c06c00c00613f00620b00606a006133", "0x200220b00601b00604d00200220b00603500603300200220b00600211e", "0x14100603300214107100720b00614500613700214500620b00600700612b", "0x604b00207600620b00600205f00207500620b00600213100200220b006", "0x620b00600213500207700620b00607607500705b00207600620b006076", "0xc00214b00620b00614600605800214600620b00607707900705d002079", "0x20b00607100612b00214a00620b00601600601600207b00620b00600c006", "0x60020090020c707f14a07b00c0060c700620b00614b00613300207f006", "0x601400606100200220b00601900603300200220b00600211e00200220b", "0x15200604b00215200620b00600213800215100620b00600213100200220b", "0x14f00620b00600213500214e00620b00615215100705b00215200620b006", "0x600c00208500620b00608300605800208300620b00614e14f00705d002", "0x620b00600700612b00215e00620b00601600601600215000620b00600c", "0x20b00600200900216016115e15000c00616000620b006085006133002161", "0x620b00600213100200220b00600900606100200220b00600211e002002", "0x15f00705b00215d00620b00615d00604b00215d00620b00600213400215f", "0x620b00616315c00705d00215c00620b00600213500216300620b00615d", "0x601600215400620b00600f00600c00208700620b006162006058002162", "0x620b00608700613300208a00620b00600700612b00215700620b006010", "0x200220b00600200600200220b00600200200215b08a15715400c00615b", "0x200220b00600200900201000f00727f01600c00720b007006002007007", "0x601500601c00201500620b00601400601900201400620b00600900601b", "0x1c00201900620b00600206500200220b0060170060c400201b01700720b", "0x20b00601b00605400200220b00601c0060c40020c401c00720b006019006", "0xc00206500620b00606500611b00205400620b0060c4006054002065006", "0x600200900200228000220b00705406500702900200c00620b00600c006", "0x602c00202900620b00611b00602b00211b00620b00600202a00200220b", "0x202a00200220b00600200900200228100600202d00202a00620b006029", "0x2a00620b00602c00602c00202c00620b00602b00602e00202b00620b006", "0x2d00603000202d00620b00602d00602c00202d00620b00602a00602f002", "0x200220b00600211e00200220b00600200900202f00628202e00620b007", "0x620b00603000603900203000620b00600204800200220b00602e006033", "0x600200900203503900728304803300720b00703001600c009035002030", "0x600210d00203700620b00600212000211e00620b00600203700200220b", "0x212400203a00620b00600203c00210d00620b00600203a00212000620b", "0x12a00207d00620b00600203e00212400620b00600207d00203c00620b006", "0x620b00603300600c00203e00620b00607d12403c03a10d12003711e014", "0x604100204500620b00600700612b00212d00620b006048006016002043", "0x204112b12c12a00c20b00612e04512d04300c0d200212e00620b00603e", "0x470060a200200220b00600200900213100628404700620b00704100617d", "0x204b04d00720b00613000613200213000620b00600213100200220b006", "0x20b00604e00612f00204e00620b00604b00605300200220b00604d006051", "0x1600205100620b00612a00600c00213200620b00604f00605600204f006", "0x20b00613200613300212f00620b00612b00612b00205300620b00612c006", "0x20b00613100605800200220b00600200900205612f05305100c006056006", "0x12b00213600620b00612c00601600205800620b00612a00600c002133006", "0x5b13413605800c00605b00620b00613300613300213400620b00612b006", "0x5d00620b00600213400213500620b00600213100200220b006002009002", "0x213500213700620b00605d13500705b00205d00620b00605d00604b002", "0x620b00606100605800206100620b00613705f00705d00205f00620b006", "0x612b00213900620b00603500601600206400620b00603900600c002138", "0x213b06713906400c00613b00620b00613800613300206700620b006007", "0x12b00200220b00602f00603300200220b00600211e00200220b006002009", "0x606a00603300206a06900720b00606c00613700206c00620b006007006", "0x6f00604b00206f00620b00600205f00213c00620b00600213100200220b", "0x7100620b00600213500213f00620b00606f13c00705b00206f00620b006", "0x600c00214500620b00614100605800214100620b00613f07100705d002", "0x620b00606900612b00207600620b00601600601600207500620b00600c", "0x20b00600200900207907707607500c00607900620b006145006133002077", "0x620b00600213100200220b00600900606100200220b00600211e002002", "0x14600705b00214b00620b00614b00604b00214b00620b006002134002146", "0x620b00607b14a00705d00214a00620b00600213500207b00620b00614b", "0x601600215100620b00600f00600c0020c700620b00607f00605800207f", "0x620b0060c700613300214e00620b00600700612b00215200620b006010", "0x200220b00600200600200220b00600200200214f14e15215100c00614f", "0x200220b00600200900201000f00728501600c00720b007006002007007", "0x601500601c00201500620b00601400601900201400620b00600900601b", "0x1c00201900620b00600206500200220b0060170060c400201b01700720b", "0x20b00601b00605400200220b00601c0060c40020c401c00720b006019006", "0xc00206500620b00606500611b00205400620b0060c4006054002065006", "0x600200900200228600220b00705406500702900200c00620b00600c006", "0x602c00202900620b00611b00602b00211b00620b00600202a00200220b", "0x202a00200220b00600200900200228700600202d00202a00620b006029", "0x2a00620b00602c00602c00202c00620b00602b00602e00202b00620b006", "0x2d00603000202d00620b00602d00602c00202d00620b00602a00602f002", "0x200220b00600211e00200220b00600200900202f00628802e00620b007", "0x620b00603000603900203000620b00600204800200220b00602e006033", "0x600200900203503900728904803300720b00703001600c009035002030", "0x600210d00203700620b00600212000211e00620b00600203700200220b", "0x212400203a00620b00600203c00210d00620b00600203a00212000620b", "0x12a00207d00620b00600203e00212400620b00600207d00203c00620b006", "0x620b00603300600c00203e00620b00607d12403c03a10d12003711e014", "0x604100204500620b00600700612b00212d00620b006048006016002043", "0x204112b12c12a00c20b00612e04512d04300c0a800212e00620b00603e", "0x470060a200200220b00600200900213100628a04700620b00704100617d", "0x204b04d00720b00613000613200213000620b00600213100200220b006", "0x20b00604e00612f00204e00620b00604b00605300200220b00604d006051", "0x1600205100620b00612a00600c00213200620b00604f00605600204f006", "0x20b00613200613300212f00620b00612b00612b00205300620b00612c006", "0x20b00613100605800200220b00600200900205612f05305100c006056006", "0x12b00213600620b00612c00601600205800620b00612a00600c002133006", "0x5b13413605800c00605b00620b00613300613300213400620b00612b006", "0x5d00620b00600213400213500620b00600213100200220b006002009002", "0x213500213700620b00605d13500705b00205d00620b00605d00604b002", "0x620b00606100605800206100620b00613705f00705d00205f00620b006", "0x612b00213900620b00603500601600206400620b00603900600c002138", "0x213b06713906400c00613b00620b00613800613300206700620b006007", "0x12b00200220b00602f00603300200220b00600211e00200220b006002009", "0x606a00603300206a06900720b00606c00613700206c00620b006007006", "0x6f00604b00206f00620b00600205f00213c00620b00600213100200220b", "0x7100620b00600213500213f00620b00606f13c00705b00206f00620b006", "0x600c00214500620b00614100605800214100620b00613f07100705d002", "0x620b00606900612b00207600620b00601600601600207500620b00600c", "0x20b00600200900207907707607500c00607900620b006145006133002077", "0x620b00600213100200220b00600900606100200220b00600211e002002", "0x14600705b00214b00620b00614b00604b00214b00620b006002134002146", "0x620b00607b14a00705d00214a00620b00600213500207b00620b00614b", "0x601600215100620b00600f00600c0020c700620b00607f00605800207f", "0x620b0060c700613300214e00620b00600700612b00215200620b006010", "0x200220b00600200600200220b00600200200214f14e15215100c00614f", "0x200220b00600200900201000f00728b01600c00720b007006002007007", "0x601500601c00201500620b00601400601900201400620b00600900601b", "0x1c00201900620b00600206500200220b0060170060c400201b01700720b", "0x20b00601b00605400200220b00601c0060c40020c401c00720b006019006", "0xc00206500620b00606500611b00205400620b0060c4006054002065006", "0x600200900200228c00220b00705406500702900200c00620b00600c006", "0x602c00202900620b00611b00602b00211b00620b00600202a00200220b", "0x202a00200220b00600200900200228d00600202d00202a00620b006029", "0x2a00620b00602c00602c00202c00620b00602b00602e00202b00620b006", "0x2d00603000202d00620b00602d00602c00202d00620b00602a00602f002", "0x200220b00600211e00200220b00600200900202f00628e02e00620b007", "0x620b00603000603900203000620b00600204800200220b00602e006033", "0x600200900203503900728f04803300720b00703001600c009035002030", "0x600210d00203700620b00600212000211e00620b00600203700200220b", "0x212400203a00620b00600203c00210d00620b00600203a00212000620b", "0x12a00207d00620b00600203e00212400620b00600207d00203c00620b006", "0x620b00603300600c00203e00620b00607d12403c03a10d12003711e014", "0x604100204500620b00600700612b00212d00620b006048006016002043", "0x204112b12c12a00c20b00612e04512d04300c18000212e00620b00603e", "0x470060a200200220b00600200900213100629004700620b00704100617d", "0x204b04d00720b00613000613200213000620b00600213100200220b006", "0x20b00604e00612f00204e00620b00604b00605300200220b00604d006051", "0x1600205100620b00612a00600c00213200620b00604f00605600204f006", "0x20b00613200613300212f00620b00612b00612b00205300620b00612c006", "0x20b00613100605800200220b00600200900205612f05305100c006056006", "0x12b00213600620b00612c00601600205800620b00612a00600c002133006", "0x5b13413605800c00605b00620b00613300613300213400620b00612b006", "0x5d00620b00600213400213500620b00600213100200220b006002009002", "0x213500213700620b00605d13500705b00205d00620b00605d00604b002", "0x620b00606100605800206100620b00613705f00705d00205f00620b006", "0x612b00213900620b00603500601600206400620b00603900600c002138", "0x213b06713906400c00613b00620b00613800613300206700620b006007", "0x12b00200220b00602f00603300200220b00600211e00200220b006002009", "0x606a00603300206a06900720b00606c00613700206c00620b006007006", "0x6f00604b00206f00620b00600205f00213c00620b00600213100200220b", "0x7100620b00600213500213f00620b00606f13c00705b00206f00620b006", "0x600c00214500620b00614100605800214100620b00613f07100705d002", "0x620b00606900612b00207600620b00601600601600207500620b00600c", "0x20b00600200900207907707607500c00607900620b006145006133002077", "0x620b00600213100200220b00600900606100200220b00600211e002002", "0x14600705b00214b00620b00614b00604b00214b00620b006002134002146", "0x620b00607b14a00705d00214a00620b00600213500207b00620b00614b", "0x601600215100620b00600f00600c0020c700620b00607f00605800207f", "0x620b0060c700613300214e00620b00600700612b00215200620b006010", "0x200220b00600200600200220b00600200200214f14e15215100c00614f", "0x200220b00600200900201000f00729101600c00720b007006002007007", "0x601500601c00201500620b00601400601900201400620b00600900601b", "0x1c00201900620b00600206500200220b0060170060c400201b01700720b", "0x20b00601b00605400200220b00601c0060c40020c401c00720b006019006", "0xc00206500620b00606500611b00205400620b0060c4006054002065006", "0x600200900200229200220b00705406500702900200c00620b00600c006", "0x602c00202900620b00611b00602b00211b00620b00600202a00200220b", "0x202a00200220b00600200900200229300600202d00202a00620b006029", "0x2a00620b00602c00602c00202c00620b00602b00602e00202b00620b006", "0x2d00603000202d00620b00602d00602c00202d00620b00602a00602f002", "0x200220b00600211e00200220b00600200900202f00629402e00620b007", "0x620b00603000603900203000620b00600204800200220b00602e006033", "0x600200900203503900729504803300720b00703001600c009035002030", "0x600210d00203700620b00600212000211e00620b00600203700200220b", "0x212400203a00620b00600203c00210d00620b00600203a00212000620b", "0x12a00207d00620b00600203e00212400620b00600207d00203c00620b006", "0x720b00603e00607f00203e00620b00607d12403c03a10d12003711e014", "0x612b00212d00620b00604800601600200220b00612a00604700212c12a", "0x612e04512d0090ce00212e00620b00612c00604100204500620b006007", "0x620b00704300615100203300620b00603300600c00204304112b00920b", "0x13100213000620b00604700615200200220b006002009002131006296047", "0x20b00604b00604d00204e04b00720b00613000613000204d00620b006002", "0x704f00205300620b00604d00604e00205100620b00604e00604b002002", "0x20b00604f00613200200220b00613200603300213204f00720b006053051", "0x12f00213300620b00605600605300200220b00612f00605100205612f007", "0x20b00603300600c00213600620b00605800605600205800620b006133006", "0x13300213500620b00604100612b00205b00620b00612b006016002134006", "0x5800200220b00600200900205d13505b13400c00605d00620b006136006", "0x20b00612b00601600205f00620b00603300600c00213700620b006131006", "0xc00606400620b00613700613300213800620b00604100612b002061006", "0x213400213900620b00600213100200220b00600200900206413806105f", "0x620b00606713900705b00206700620b00606700604b00206700620b006", "0x605800206a00620b00613b06900705d00206900620b00600213500213b", "0x620b00603500601600213c00620b00603900600c00206c00620b00606a", "0x13c00c00607100620b00606c00613300213f00620b00600700612b00206f", "0x602f00603300200220b00600211e00200220b00600200900207113f06f", "0x214514100720b00607500613700207500620b00600700612b00200220b", "0x7700620b00600205f00207600620b00600213100200220b006145006033", "0x213500207900620b00607707600705b00207700620b00607700604b002", "0x620b00614b00605800214b00620b00607914600705d00214600620b006", "0x612b00207f00620b00601600601600214a00620b00600c00600c00207b", "0x21510c707f14a00c00615100620b00607b0061330020c700620b006141", "0x13100200220b00600900606100200220b00600211e00200220b006002009", "0x14e00620b00614e00604b00214e00620b00600213400215200620b006002", "0x8300705d00208300620b00600213500214f00620b00614e15200705b002", "0x620b00600f00600c00215000620b00608500605800208500620b00614f", "0x613300216000620b00600700612b00216100620b00601000601600215e", "0x200600200220b00600200200215f16016115e00c00615f00620b006150", "0x200900201000f00729701600c00720b00700600200700700200220b006", "0x201500620b00601400601900201400620b00600900601b00200220b006", "0x20b00600206500200220b0060170060c400201b01700720b00601500601c", "0x5400200220b00601c0060c40020c401c00720b00601900601c002019006", "0x20b00606500611b00205400620b0060c400605400206500620b00601b006", "0x229800220b00705406500702900200c00620b00600c00600c002065006", "0x620b00611b00602b00211b00620b00600202a00200220b006002009002", "0x20b00600200900200229900600202d00202a00620b00602900602c002029", "0x2c00602c00202c00620b00602b00602e00202b00620b00600202a002002", "0x2d00620b00602d00602c00202d00620b00602a00602f00202a00620b006", "0x211e00200220b00600200900202f00629a02e00620b00702d006030002", "0x603900203000620b00600204800200220b00602e00603300200220b006", "0x3503900729b04803300720b00703001600c00903500203000620b006030", "0x3700620b00600212000211e00620b00600203700200220b006002009002", "0x620b00600203c00210d00620b00600203a00212000620b00600210d002", "0x20b00600203e00212400620b00600207d00203c00620b00600212400203a", "0x607f00203e00620b00607d12403c03a10d12003711e01412a00207d006", "0x620b00604800601600200220b00612a00604700212c12a00720b00603e", "0x90ab00212e00620b00612c00604100204500620b00600700612b00212d", "0x615100203300620b00603300600c00204304112b00920b00612e04512d", "0x20b00604700615200200220b00600200900213100629c04700620b007043", "0x4d00204e04b00720b00613000613000204d00620b006002131002130006", "0x620b00604d00604e00205100620b00604e00604b00200220b00604b006", "0x13200200220b00613200603300213204f00720b00605305100704f002053", "0x20b00605600605300200220b00612f00605100205612f00720b00604f006", "0xc00213600620b00605800605600205800620b00613300612f002133006", "0x20b00604100612b00205b00620b00612b00601600213400620b006033006", "0x600200900205d13505b13400c00605d00620b006136006133002135006", "0x1600205f00620b00603300600c00213700620b00613100605800200220b", "0x20b00613700613300213800620b00604100612b00206100620b00612b006", "0x620b00600213100200220b00600200900206413806105f00c006064006", "0x13900705b00206700620b00606700604b00206700620b006002134002139", "0x620b00613b06900705d00206900620b00600213500213b00620b006067", "0x601600213c00620b00603900600c00206c00620b00606a00605800206a", "0x620b00606c00613300213f00620b00600700612b00206f00620b006035", "0x200220b00600211e00200220b00600200900207113f06f13c00c006071", "0x20b00607500613700207500620b00600700612b00200220b00602f006033", "0x205f00207600620b00600213100200220b006145006033002145141007", "0x620b00607707600705b00207700620b00607700604b00207700620b006", "0x605800214b00620b00607914600705d00214600620b006002135002079", "0x620b00601600601600214a00620b00600c00600c00207b00620b00614b", "0x14a00c00615100620b00607b0061330020c700620b00614100612b00207f", "0x600900606100200220b00600211e00200220b0060020090021510c707f", "0x14e00604b00214e00620b00600213400215200620b00600213100200220b", "0x8300620b00600213500214f00620b00614e15200705b00214e00620b006", "0x600c00215000620b00608500605800208500620b00614f08300705d002", "0x620b00600700612b00216100620b00601000601600215e00620b00600f", "0x20b00600200200215f16016115e00c00615f00620b006150006133002160", "0xf00729d01600c00720b00700600200700700200220b006002006002002", "0x601400601900201400620b00600900601b00200220b006002009002010", "0x200220b0060170060c400201b01700720b00601500601c00201500620b", "0x601c0060c40020c401c00720b00601900601c00201900620b006002065", "0x11b00205400620b0060c400605400206500620b00601b00605400200220b", "0x705406500702900200c00620b00600c00600c00206500620b006065006", "0x602b00211b00620b00600202a00200220b00600200900200229e00220b", "0x200229f00600202d00202a00620b00602900602c00202900620b00611b", "0x2c00620b00602b00602e00202b00620b00600202a00200220b006002009", "0x2d00602c00202d00620b00602a00602f00202a00620b00602c00602c002", "0x20b00600200900202f0062a002e00620b00702d00603000202d00620b006", "0x620b00600204800200220b00602e00603300200220b00600211e002002", "0x4803300720b00703001600c00903500203000620b006030006039002030", "0x212000211e00620b00600203700200220b0060020090020350390072a1", "0x3c00210d00620b00600203a00212000620b00600210d00203700620b006", "0x212400620b00600207d00203c00620b00600212400203a00620b006002", "0x620b00607d12403c03a10d12003711e01412a00207d00620b00600203e", "0x601600200220b00612a00604700212c12a00720b00603e00607f00203e", "0x620b00612c00604100204500620b00600700612b00212d00620b006048", "0x620b00603300600c00204304112b00920b00612e04512d00918100212e", "0x15200200220b0060020090021310062a204700620b007043006151002033", "0x720b00613000613000204d00620b00600213100213000620b006047006", "0x604e00205100620b00604e00604b00200220b00604b00604d00204e04b", "0x613200603300213204f00720b00605305100704f00205300620b00604d", "0x5300200220b00612f00605100205612f00720b00604f00613200200220b", "0x20b00605800605600205800620b00613300612f00213300620b006056006", "0x12b00205b00620b00612b00601600213400620b00603300600c002136006", "0x5d13505b13400c00605d00620b00613600613300213500620b006041006", "0x20b00603300600c00213700620b00613100605800200220b006002009002", "0x13300213800620b00604100612b00206100620b00612b00601600205f006", "0x13100200220b00600200900206413806105f00c00606400620b006137006", "0x6700620b00606700604b00206700620b00600213400213900620b006002", "0x6900705d00206900620b00600213500213b00620b00606713900705b002", "0x620b00603900600c00206c00620b00606a00605800206a00620b00613b", "0x613300213f00620b00600700612b00206f00620b00603500601600213c", "0x211e00200220b00600200900207113f06f13c00c00607100620b00606c", "0x13700207500620b00600700612b00200220b00602f00603300200220b006", "0x620b00600213100200220b00614500603300214514100720b006075006", "0x7600705b00207700620b00607700604b00207700620b00600205f002076", "0x620b00607914600705d00214600620b00600213500207900620b006077", "0x601600214a00620b00600c00600c00207b00620b00614b00605800214b", "0x620b00607b0061330020c700620b00614100612b00207f00620b006016", "0x200220b00600211e00200220b0060020090021510c707f14a00c006151", "0x14e00620b00600213400215200620b00600213100200220b006009006061", "0x213500214f00620b00614e15200705b00214e00620b00614e00604b002", "0x620b00608500605800208500620b00614f08300705d00208300620b006", "0x612b00216100620b00601000601600215e00620b00600f00600c002150", "0x215f16016115e00c00615f00620b00615000613300216000620b006007", "0xc00720b00700600200700700200220b00600200600200220b006002002", "0x201400620b00600900601b00200220b00600200900201000f0072a3016", "0x170060c400201b01700720b00601500601c00201500620b006014006019", "0x20c401c00720b00601900601c00201900620b00600206500200220b006", "0x20b0060c400605400206500620b00601b00605400200220b00601c0060c4", "0x2900200c00620b00600c00600c00206500620b00606500611b002054006", "0x620b00600202a00200220b0060020090020022a400220b007054065007", "0x202d00202a00620b00602900602c00202900620b00611b00602b00211b", "0x2b00602e00202b00620b00600202a00200220b0060020090020022a5006", "0x2d00620b00602a00602f00202a00620b00602c00602c00202c00620b006", "0x202f0062a602e00620b00702d00603000202d00620b00602d00602c002", "0x4800200220b00602e00603300200220b00600211e00200220b006002009", "0x703001600c00903500203000620b00603000603900203000620b006002", "0x620b00600203700200220b0060020090020350390072a704803300720b", "0x20b00600203a00212000620b00600210d00203700620b00600212000211e", "0x600207d00203c00620b00600212400203a00620b00600203c00210d006", "0x12403c03a10d12003711e01412a00207d00620b00600203e00212400620b", "0x20b00612a00604700212c12a00720b00603e00607f00203e00620b00607d", "0x612b00212e00620b00604800601600204500620b00603300600c002002", "0x13104712e04500c0cf00213100620b00612c00604100204700620b006007", "0x900204d0062a813000620b00712d0060c800212d04304112b00c20b006", "0x204e00620b00600213100204b00620b0061300060c900200220b006002", "0x61320060c600200220b00604f0060cb00213204f00720b00604b0060ca", "0x5100720b00605612f0070b300205600620b00604e00604e00212f00620b", "0x605100205813300720b00605100613200200220b006053006033002053", "0x13400620b00613600612f00213600620b00605800605300200220b006133", "0x4100601600213500620b00612b00600c00205b00620b006134006056002", "0x5f00620b00605b00613300213700620b00604300612b00205d00620b006", "0x6100620b00604d00605800200220b00600200900205f13705d13500c006", "0x4300612b00206400620b00604100601600213800620b00612b00600c002", "0x900206713906413800c00606700620b00606100613300213900620b006", "0x4b00206900620b00600213400213b00620b00600213100200220b006002", "0x20b00600213500206a00620b00606913b00705b00206900620b006069006", "0x206f00620b00613c00605800213c00620b00606a06c00705d00206c006", "0x600700612b00207100620b00603500601600213f00620b00603900600c", "0x200900214514107113f00c00614500620b00606f00613300214100620b", "0x700612b00200220b00602f00603300200220b00600211e00200220b006", "0x220b00607600603300207607500720b00607700613700207700620b006", "0x20b00614600604b00214600620b00600205f00207900620b006002131002", "0x5d00207b00620b00600213500214b00620b00614607900705b002146006", "0x600c00600c00207f00620b00614a00605800214a00620b00614b07b007", "0x215200620b00607500612b00215100620b0060160060160020c700620b", "0x200220b00600200900214e1521510c700c00614e00620b00607f006133", "0x214f00620b00600213100200220b00600900606100200220b00600211e", "0x608314f00705b00208300620b00608300604b00208300620b006002134", "0x215e00620b00608515000705d00215000620b00600213500208500620b", "0x601000601600216000620b00600f00600c00216100620b00615e006058", "0x616300620b00616100613300215d00620b00600700612b00215f00620b", "0x700700200220b00600200600200220b00600200200216315d15f16000c", "0x601b00200220b00600200900201000f0072a901600c00720b007006002", "0x720b00601500601c00201500620b00601400601900201400620b006009", "0x1900601c00201900620b00600206500200220b0060170060c400201b017", "0x6500620b00601b00605400200220b00601c0060c40020c401c00720b006", "0xc00600c00206500620b00606500611b00205400620b0060c4006054002", "0x220b0060020090020022aa00220b00705406500702900200c00620b006", "0x602900602c00202900620b00611b00602b00211b00620b00600202a002", "0x20b00600202a00200220b0060020090020022ab00600202d00202a00620b", "0x2f00202a00620b00602c00602c00202c00620b00602b00602e00202b006", "0x20b00702d00603000202d00620b00602d00602c00202d00620b00602a006", "0x603300200220b00600211e00200220b00600200900202f0062ac02e006", "0x203000620b00603000603900203000620b00600204800200220b00602e", "0x220b0060020090020350390072ad04803300720b00703001600c009035", "0x620b00600210d00203700620b00600212000211e00620b006002037002", "0x20b00600212400203a00620b00600203c00210d00620b00600203a002120", "0x11e01412a00207d00620b00600203e00212400620b00600207d00203c006", "0x12c12a00720b00603e00607f00203e00620b00607d12403c03a10d120037", "0x60410060b500204100620b00612c00604100200220b00612a006047002", "0x204512d00720b00612b00618e00204300620b00600213100212b00620b", "0x20b00604300604e00213100620b0060450060b900200220b00612d0060b7", "0x200220b00604700603300204712e00720b0061301310070ba002130006", "0x604b00605300200220b00604d00605100204b04d00720b00612e006132", "0x213200620b00604f00605600204f00620b00604e00612f00204e00620b", "0x600700612b00205300620b00604800601600205100620b00603300600c", "0x200900205612f05305100c00605600620b00613200613300212f00620b", "0x604b00205800620b00600213400213300620b00600213100200220b006", "0x620b00600213500213600620b00605813300705b00205800620b006058", "0xc00213500620b00605b00605800205b00620b00613613400705d002134", "0x20b00600700612b00213700620b00603500601600205d00620b006039006", "0x600200900206105f13705d00c00606100620b00613500613300205f006", "0x600700612b00200220b00602f00603300200220b00600211e00200220b", "0x200220b00606400603300206413800720b00613900613700213900620b", "0x620b00613b00604b00213b00620b00600205f00206700620b006002131", "0x705d00206a00620b00600213500206900620b00613b06700705b00213b", "0x20b00600c00600c00213c00620b00606c00605800206c00620b00606906a", "0x13300207100620b00613800612b00213f00620b00601600601600206f006", "0x11e00200220b00600200900214107113f06f00c00614100620b00613c006", "0x13400214500620b00600213100200220b00600900606100200220b006002", "0x20b00607514500705b00207500620b00607500604b00207500620b006002", "0x5800207900620b00607607700705d00207700620b006002135002076006", "0x20b00601000601600214b00620b00600f00600c00214600620b006079006", "0xc00607f00620b00614600613300214a00620b00600700612b00207b006", "0x200700700200220b00600200600200220b00600200200207f14a07b14b", "0x900601b00200220b00600200900201000f0072ae01600c00720b007006", "0x1700720b00601500601c00201500620b00601400601900201400620b006", "0x601900601c00201900620b00600206500200220b0060170060c400201b", "0x206500620b00601b00605400200220b00601c0060c40020c401c00720b", "0x600c00600c00206500620b00606500611b00205400620b0060c4006054", "0x200220b0060020090020022af00220b00705406500702900200c00620b", "0x20b00602900602c00202900620b00611b00602b00211b00620b00600202a", "0x620b00600202a00200220b0060020090020022b000600202d00202a006", "0x602f00202a00620b00602c00602c00202c00620b00602b00602e00202b", "0x620b00702d00603000202d00620b00602d00602c00202d00620b00602a", "0x2e00603300200220b00600211e00200220b00600200900202f0062b102e", "0x3500203000620b00603000603900203000620b00600204800200220b006", "0x200220b0060020090020350390072b204803300720b00703001600c009", "0x12000620b00600210d00203700620b00600212000211e00620b006002037", "0x620b00600212400203a00620b00600203c00210d00620b00600203a002", "0x3711e01412a00207d00620b00600203e00212400620b00600207d00203c", "0x212c12a00720b00603e00607f00203e00620b00607d12403c03a10d120", "0x12b00620b00600213100200220b00612c00604700200220b00612a006047", "0x4300604d00212d04300720b00604100613000204100620b0060020bb002", "0x213100620b00612b00604e00204700620b00612d00604b00200220b006", "0x4500613200200220b00612e00603300212e04500720b00613104700704f", "0x4b00620b00604d00605300200220b00613000605100204d13000720b006", "0x3300600c00204f00620b00604e00605600204e00620b00604b00612f002", "0x5300620b00600700612b00205100620b00604800601600213200620b006", "0x220b00600200900212f05305113200c00612f00620b00604f006133002", "0x20b00613300604b00213300620b00600213400205600620b006002131002", "0x5d00213600620b00600213500205800620b00613305600705b002133006", "0x603900600c00205b00620b00613400605800213400620b006058136007", "0x213700620b00600700612b00205d00620b00603500601600213500620b", "0x200220b00600200900205f13705d13500c00605f00620b00605b006133", "0x6400620b00600700612b00200220b00602f00603300200220b00600211e", "0x600213100200220b00613800603300213806100720b006064006137002", "0x5b00206700620b00606700604b00206700620b00600205f00213900620b", "0x613b06900705d00206900620b00600213500213b00620b006067139007", "0x213c00620b00600c00600c00206c00620b00606a00605800206a00620b", "0x606c00613300213f00620b00606100612b00206f00620b006016006016", "0x20b00600211e00200220b00600200900207113f06f13c00c00607100620b", "0x20b00600213400214100620b00600213100200220b006009006061002002", "0x207500620b00614514100705b00214500620b00614500604b002145006", "0x607700605800207700620b00607507600705d00207600620b006002135", "0x214b00620b00601000601600214600620b00600f00600c00207900620b", "0x7b14b14600c00614a00620b00607900613300207b00620b00600700612b", "0x20b00700600200700700200220b00600200600200220b00600200200214a", "0x620b00600900601b00200220b00600200900201000f0072b301600c007", "0xc400201b01700720b00601500601c00201500620b006014006019002014", "0x1c00720b00601900601c00201900620b00600206500200220b006017006", "0xc400605400206500620b00601b00605400200220b00601c0060c40020c4", "0xc00620b00600c00600c00206500620b00606500611b00205400620b006", "0x600202a00200220b0060020090020022b400220b007054065007029002", "0x202a00620b00602900602c00202900620b00611b00602b00211b00620b", "0x2e00202b00620b00600202a00200220b0060020090020022b500600202d", "0x20b00602a00602f00202a00620b00602c00602c00202c00620b00602b006", "0x62b602e00620b00702d00603000202d00620b00602d00602c00202d006", "0x220b00602e00603300200220b00600211e00200220b00600200900202f", "0x1600c00903500203000620b00603000603900203000620b006002048002", "0x600203700200220b0060020090020350390072b704803300720b007030", "0x203a00212000620b00600210d00203700620b00600212000211e00620b", "0x7d00203c00620b00600212400203a00620b00600203c00210d00620b006", "0x3a10d12003711e01412a00207d00620b00600203e00212400620b006002", "0x12a00604700212c12a00720b00603e00607f00203e00620b00607d12403c", "0x212e00620b00604800601600204500620b00603300600c00200220b006", "0x12e04500c0bd00213100620b00612c00604100204700620b00600700612b", "0x4d0062b813000620b00712d00618f00212d04304112b00c20b006131047", "0x620b00600213100204b00620b0061300060be00200220b006002009002", "0x611b00200220b00604f0060c400213204f00720b00604b00601c00204e", "0x20b00605612f0070bf00205600620b00604e00604e00212f00620b006132", "0x205813300720b00605100613200200220b006053006033002053051007", "0x20b00613600612f00213600620b00605800605300200220b006133006051", "0x1600213500620b00612b00600c00205b00620b006134006056002134006", "0x20b00605b00613300213700620b00604300612b00205d00620b006041006", "0x20b00604d00605800200220b00600200900205f13705d13500c00605f006", "0x12b00206400620b00604100601600213800620b00612b00600c002061006", "0x6713906413800c00606700620b00606100613300213900620b006043006", "0x6900620b00600213400213b00620b00600213100200220b006002009002", "0x213500206a00620b00606913b00705b00206900620b00606900604b002", "0x620b00613c00605800213c00620b00606a06c00705d00206c00620b006", "0x612b00207100620b00603500601600213f00620b00603900600c00206f", "0x214514107113f00c00614500620b00606f00613300214100620b006007", "0x12b00200220b00602f00603300200220b00600211e00200220b006002009", "0x607600603300207607500720b00607700613700207700620b006007006", "0x14600604b00214600620b00600205f00207900620b00600213100200220b", "0x7b00620b00600213500214b00620b00614607900705b00214600620b006", "0x600c00207f00620b00614a00605800214a00620b00614b07b00705d002", "0x620b00607500612b00215100620b0060160060160020c700620b00600c", "0x20b00600200900214e1521510c700c00614e00620b00607f006133002152", "0x620b00600213100200220b00600900606100200220b00600211e002002", "0x14f00705b00208300620b00608300604b00208300620b00600213400214f", "0x620b00608515000705d00215000620b00600213500208500620b006083", "0x601600216000620b00600f00600c00216100620b00615e00605800215e", "0x620b00616100613300215d00620b00600700612b00215f00620b006010", "0x200220b00600200600200220b00600200200216315d15f16000c006163", "0x200220b00600200900201000f0072b901600c00720b007006002007007", "0x601500601c00201500620b00601400601900201400620b00600900601b", "0x1c00201900620b00600206500200220b0060170060c400201b01700720b", "0x20b00601b00605400200220b00601c0060c40020c401c00720b006019006", "0xc00206500620b00606500611b00205400620b0060c4006054002065006", "0x60020090020022ba00220b00705406500702900200c00620b00600c006", "0x602c00202900620b00611b00602b00211b00620b00600202a00200220b", "0x202a00200220b0060020090020022bb00600202d00202a00620b006029", "0x2a00620b00602c00602c00202c00620b00602b00602e00202b00620b006", "0x2d00603000202d00620b00602d00602c00202d00620b00602a00602f002", "0x200220b00600211e00200220b00600200900202f0062bc02e00620b007", "0x620b00603000603900203000620b00600204800200220b00602e006033", "0x60020090020350390072bd04803300720b00703001600c009035002030", "0x600210d00203700620b00600212000211e00620b00600203700200220b", "0x212400203a00620b00600203c00210d00620b00600203a00212000620b", "0x12a00207d00620b00600203e00212400620b00600207d00203c00620b006", "0x720b00603e00607f00203e00620b00607d12403c03a10d12003711e014", "0x601600204500620b00603300600c00200220b00612a00604700212c12a", "0x620b00612c00604100204700620b00600700612b00212e00620b006048", "0x712d00618f00212d04304112b00c20b00613104712e04500c0c1002131", "0x4b00620b0061300060be00200220b00600200900204d0062be13000620b", "0x4f0060c400213204f00720b00604b00601c00204e00620b006002131002", "0x205600620b00604e00604e00212f00620b00613200611b00200220b006", "0x5100613200200220b00605300603300205305100720b00605612f0070bf", "0x13600620b00605800605300200220b00613300605100205813300720b006", "0x12b00600c00205b00620b00613400605600213400620b00613600612f002", "0x13700620b00604300612b00205d00620b00604100601600213500620b006", "0x220b00600200900205f13705d13500c00605f00620b00605b006133002", "0x4100601600213800620b00612b00600c00206100620b00604d006058002", "0x6700620b00606100613300213900620b00604300612b00206400620b006", "0x213b00620b00600213100200220b00600200900206713906413800c006", "0x606913b00705b00206900620b00606900604b00206900620b006002134", "0x213c00620b00606a06c00705d00206c00620b00600213500206a00620b", "0x603500601600213f00620b00603900600c00206f00620b00613c006058", "0x614500620b00606f00613300214100620b00600700612b00207100620b", "0x603300200220b00600211e00200220b00600200900214514107113f00c", "0x7500720b00607700613700207700620b00600700612b00200220b00602f", "0x20b00600205f00207900620b00600213100200220b006076006033002076", "0x214b00620b00614607900705b00214600620b00614600604b002146006", "0x614a00605800214a00620b00614b07b00705d00207b00620b006002135", "0x215100620b0060160060160020c700620b00600c00600c00207f00620b", "0x1521510c700c00614e00620b00607f00613300215200620b00607500612b", "0x220b00600900606100200220b00600211e00200220b00600200900214e", "0x20b00608300604b00208300620b00600213400214f00620b006002131002", "0x5d00215000620b00600213500208500620b00608314f00705b002083006", "0x600f00600c00216100620b00615e00605800215e00620b006085150007", "0x215d00620b00600700612b00215f00620b00601000601600216000620b", "0x200220b00600200200216315d15f16000c00616300620b006161006133", "0x201000f0072bf01600c00720b00700600200700700200220b006002006", "0x620b00601400601900201400620b00600900601b00200220b006002009", "0x206500200220b0060170060c400201b01700720b00601500601c002015", "0x220b00601c0060c40020c401c00720b00601900601c00201900620b006", "0x6500611b00205400620b0060c400605400206500620b00601b006054002", "0x220b00705406500702900200c00620b00600c00600c00206500620b006", "0x611b00602b00211b00620b00600202a00200220b0060020090020022c0", "0x20090020022c100600202d00202a00620b00602900602c00202900620b", "0x2c00202c00620b00602b00602e00202b00620b00600202a00200220b006", "0x20b00602d00602c00202d00620b00602a00602f00202a00620b00602c006", "0x200220b00600200900202f0062c202e00620b00702d00603000202d006", "0x203000620b00600204800200220b00602e00603300200220b00600211e", "0x72c304803300720b00703001600c00903500203000620b006030006039", "0x20b00600212000211e00620b00600203700200220b006002009002035039", "0x600203c00210d00620b00600203a00212000620b00600210d002037006", "0x203e00212400620b00600207d00203c00620b00600212400203a00620b", "0x203e00620b00607d12403c03a10d12003711e01412a00207d00620b006", "0x603300600c00200220b00612a00604700212c12a00720b00603e00607f", "0x204700620b00600700612b00212e00620b00604800601600204500620b", "0x4304112b00c20b00613104712e04500c19000213100620b00612c006041", "0x19b00200220b00600200900204d0062c413000620b00712d0060c300212d", "0x720b00604b00619c00204e00620b00600213100204b00620b006130006", "0x604e00212f00620b00613200619d00200220b00604f0060d400213204f", "0x605300603300205305100720b00605612f0071a000205600620b00604e", "0x5300200220b00613300605100205813300720b00605100613200200220b", "0x20b00613400605600213400620b00613600612f00213600620b006058006", "0x12b00205d00620b00604100601600213500620b00612b00600c00205b006", "0x5f13705d13500c00605f00620b00605b00613300213700620b006043006", "0x20b00612b00600c00206100620b00604d00605800200220b006002009002", "0x13300213900620b00604300612b00206400620b006041006016002138006", "0x13100200220b00600200900206713906413800c00606700620b006061006", "0x6900620b00606900604b00206900620b00600213400213b00620b006002", "0x6c00705d00206c00620b00600213500206a00620b00606913b00705b002", "0x620b00603900600c00206f00620b00613c00605800213c00620b00606a", "0x613300214100620b00600700612b00207100620b00603500601600213f", "0x211e00200220b00600200900214514107113f00c00614500620b00606f", "0x13700207700620b00600700612b00200220b00602f00603300200220b006", "0x620b00600213100200220b00607600603300207607500720b006077006", "0x7900705b00214600620b00614600604b00214600620b00600205f002079", "0x620b00614b07b00705d00207b00620b00600213500214b00620b006146", "0x60160020c700620b00600c00600c00207f00620b00614a00605800214a", "0x620b00607f00613300215200620b00607500612b00215100620b006016", "0x200220b00600211e00200220b00600200900214e1521510c700c00614e", "0x8300620b00600213400214f00620b00600213100200220b006009006061", "0x213500208500620b00608314f00705b00208300620b00608300604b002", "0x620b00615e00605800215e00620b00608515000705d00215000620b006", "0x612b00215f00620b00601000601600216000620b00600f00600c002161", "0x216315d15f16000c00616300620b00616100613300215d00620b006007", "0xc00720b00700600200700700200220b00600200600200220b006002002", "0x201700620b00600900600f00200220b00600200900201000f0072c5016", "0x1500607700200c00620b00600c00600c00201501400720b006017006076", "0x620b00601400601b00200220b0060020090020190062c601b00620b007", "0xc400205406500720b0060c400601c0020c400620b00601c00601900201c", "0x2900720b00611b00601c00211b00620b00600206500200220b006065006", "0x2a00605400202b00620b00605400605400200220b0060290060c400202a", "0x220b00702c02b00702900202b00620b00602b00611b00202c00620b006", "0x602d00602b00202d00620b00600202a00200220b0060020090020022c7", "0x20090020022c800600202d00202f00620b00602e00602c00202e00620b", "0x2c00203300620b00603000602e00203000620b00600202a00200220b006", "0x20b00604800602c00204800620b00602f00602f00202f00620b006033006", "0x200220b0060020090020350062c903900620b007048006030002048006", "0x620b00611e00603900211e00620b00600204800200220b006039006033", "0x600200900203a10d0072ca12003700720b00711e01600c00903500211e", "0x20b00600212000203c00620b00600203700200220b00600211e00200220b", "0x600203c00203e00620b00600203a00207d00620b00600210d002124006", "0x203e00212b00620b00600207d00212c00620b00600212400212a00620b", "0x204300620b00604112b12c12a03e07d12403c01412a00204100620b006", "0x604500604100200220b00612d00604700204512d00720b00604300607f", "0x12e00620b0061310470070d600213100620b00601b00604b00204700620b", "0x4d0060d000204b04d00720b00612e00616b00213000620b006002131002", "0x205100620b00613000604e00213200620b00604b00602c00200220b006", "0x4e00613200200220b00604f00603300204f04e00720b00605113200716c", "0x5600620b00612f00605300200220b00605300605100212f05300720b006", "0x3700600c00205800620b00613300605600213300620b00605600612f002", "0x5b00620b00600700612b00213400620b00612000601600213600620b006", "0x220b00600200900213505b13413600c00613500620b006058006133002", "0x5d00620b00600213100200220b00601b00604d00200220b00600211e002", "0x13705d00705b00213700620b00613700604b00213700620b006002134002", "0x13800620b00605f06100705d00206100620b00600213500205f00620b006", "0x3a00601600213900620b00610d00600c00206400620b006138006058002", "0x6900620b00606400613300213b00620b00600700612b00206700620b006", "0x3300200220b00600211e00200220b00600200900206913b06713900c006", "0x13c00620b00600700612b00200220b00601b00604d00200220b006035006", "0x600213100200220b00606c00603300206c06a00720b00613c006137002", "0x5b00213f00620b00613f00604b00213f00620b00600205f00206f00620b", "0x607114100705d00214100620b00600213500207100620b00613f06f007", "0x207600620b00600c00600c00207500620b00614500605800214500620b", "0x607500613300207900620b00606a00612b00207700620b006016006016", "0x20b00600211e00200220b00600200900214607907707600c00614600620b", "0x20b00600213100200220b00601400606100200220b006019006033002002", "0x705b00207b00620b00607b00604b00207b00620b00600213800214b006", "0x20b00614a07f00705d00207f00620b00600213500214a00620b00607b14b", "0x1600215200620b00600c00600c00215100620b0060c70060580020c7006", "0x20b00615100613300214f00620b00600700612b00214e00620b006016006", "0x220b00600211e00200220b00600200900208314f14e15200c006083006", "0x620b00600213400208500620b00600213100200220b006009006061002", "0x13500215e00620b00615008500705b00215000620b00615000604b002150", "0x20b00616000605800216000620b00615e16100705d00216100620b006002", "0x12b00216300620b00601000601600215d00620b00600f00600c00215f006", "0x16215c16315d00c00616200620b00615f00613300215c00620b006007006", "0x720b00700600200700700200220b00600200600200220b006002002002", "0x1400620b00600900601b00200220b00600200900201000f0072cb01600c", "0x60c400201b01700720b00601500601c00201500620b006014006019002", "0xc401c00720b00601900601c00201900620b00600206500200220b006017", "0x60c400605400206500620b00601b00605400200220b00601c0060c4002", "0x200c00620b00600c00600c00206500620b00606500611b00205400620b", "0x20b00600202a00200220b0060020090020022cc00220b007054065007029", "0x2d00202a00620b00602900602c00202900620b00611b00602b00211b006", "0x602e00202b00620b00600202a00200220b0060020090020022cd006002", "0x620b00602a00602f00202a00620b00602c00602c00202c00620b00602b", "0x2f0062ce02e00620b00702d00603000202d00620b00602d00602c00202d", "0x200220b00602e00603300200220b00600211e00200220b006002009002", "0x3001600c00903500203000620b00603000603900203000620b006002048", "0x20b00600203700200220b0060020090020350390072cf04803300720b007", "0x600203a00212000620b00600210d00203700620b00600212000211e006", "0x207d00203c00620b00600212400203a00620b00600203c00210d00620b", "0x3c03a10d12003711e01412a00207d00620b00600203e00212400620b006", "0x612a00604700212c12a00720b00603e00607f00203e00620b00607d124", "0x600219f00212b00620b00600213100200220b00612c00604700200220b", "0x200220b00604300604d00212d04300720b00604100613000204100620b", "0x13104700704f00213100620b00612b00604e00204700620b00612d00604b", "0x13000720b00604500613200200220b00612e00603300212e04500720b006", "0x4b00612f00204b00620b00604d00605300200220b00613000605100204d", "0x13200620b00603300600c00204f00620b00604e00605600204e00620b006", "0x4f00613300205300620b00600700612b00205100620b006048006016002", "0x600213100200220b00600200900212f05305113200c00612f00620b006", "0x5b00213300620b00613300604b00213300620b00600213400205600620b", "0x605813600705d00213600620b00600213500205800620b006133056007", "0x213500620b00603900600c00205b00620b00613400605800213400620b", "0x605b00613300213700620b00600700612b00205d00620b006035006016", "0x20b00600211e00200220b00600200900205f13705d13500c00605f00620b", "0x6400613700206400620b00600700612b00200220b00602f006033002002", "0x213900620b00600213100200220b00613800603300213806100720b006", "0x606713900705b00206700620b00606700604b00206700620b00600205f", "0x206a00620b00613b06900705d00206900620b00600213500213b00620b", "0x601600601600213c00620b00600c00600c00206c00620b00606a006058", "0x607100620b00606c00613300213f00620b00606100612b00206f00620b", "0x606100200220b00600211e00200220b00600200900207113f06f13c00c", "0x4b00214500620b00600213400214100620b00600213100200220b006009", "0x20b00600213500207500620b00614514100705b00214500620b006145006", "0x207900620b00607700605800207700620b00607507600705d002076006", "0x600700612b00214b00620b00601000601600214600620b00600f00600c", "0x200200214a07b14b14600c00614a00620b00607900613300207b00620b", "0x2d001600c00720b00700600200700700200220b00600200600200220b006", "0x601900201400620b00600900601b00200220b00600200900201000f007", "0x20b0060170060c400201b01700720b00601500601c00201500620b006014", "0x60c40020c401c00720b00601900601c00201900620b006002065002002", "0x5400620b0060c400605400206500620b00601b00605400200220b00601c", "0x6500702900200c00620b00600c00600c00206500620b00606500611b002", "0x211b00620b00600202a00200220b0060020090020022d100220b007054", "0x2d200600202d00202a00620b00602900602c00202900620b00611b00602b", "0x20b00602b00602e00202b00620b00600202a00200220b006002009002002", "0x2c00202d00620b00602a00602f00202a00620b00602c00602c00202c006", "0x200900202f0062d302e00620b00702d00603000202d00620b00602d006", "0x600204800200220b00602e00603300200220b00600211e00200220b006", "0x720b00703001600c00903500203000620b00603000603900203000620b", "0x211e00620b00600203700200220b0060020090020350390072d4048033", "0x10d00620b00600203a00212000620b00600210d00203700620b006002120", "0x620b00600207d00203c00620b00600212400203a00620b00600203c002", "0x607d12403c03a10d12003711e01412a00207d00620b00600203e002124", "0x200220b00612a00604700212c12a00720b00603e00607f00203e00620b", "0x4100620b0060020bb00212b00620b00600213100200220b00612c006047", "0x12d00604b00200220b00604300604d00212d04300720b006041006130002", "0x720b00613104700704f00213100620b00612b00604e00204700620b006", "0x5100204d13000720b00604500613200200220b00612e00603300212e045", "0x620b00604b00612f00204b00620b00604d00605300200220b006130006", "0x601600213200620b00603300600c00204f00620b00604e00605600204e", "0x620b00604f00613300205300620b00600700612b00205100620b006048", "0x5600620b00600213100200220b00600200900212f05305113200c00612f", "0x13305600705b00213300620b00613300604b00213300620b006002134002", "0x13400620b00605813600705d00213600620b00600213500205800620b006", "0x3500601600213500620b00603900600c00205b00620b006134006058002", "0x5f00620b00605b00613300213700620b00600700612b00205d00620b006", "0x3300200220b00600211e00200220b00600200900205f13705d13500c006", "0x720b00606400613700206400620b00600700612b00200220b00602f006", "0x600205f00213900620b00600213100200220b006138006033002138061", "0x13b00620b00606713900705b00206700620b00606700604b00206700620b", "0x6a00605800206a00620b00613b06900705d00206900620b006002135002", "0x6f00620b00601600601600213c00620b00600c00600c00206c00620b006", "0x6f13c00c00607100620b00606c00613300213f00620b00606100612b002", "0x20b00600900606100200220b00600211e00200220b00600200900207113f", "0x614500604b00214500620b00600213400214100620b006002131002002", "0x207600620b00600213500207500620b00614514100705b00214500620b", "0xf00600c00207900620b00607700605800207700620b00607507600705d", "0x7b00620b00600700612b00214b00620b00601000601600214600620b006", "0x220b00600200200214a07b14b14600c00614a00620b006079006133002", "0x1000f0072d501600c00720b00700600200700700200220b006002006002", "0x20b00601700607600201700620b00600900600f00200220b006002009002", "0x2d601b00620b00701500607700200c00620b00600c00600c002015014007", "0x1c00601900201c00620b00601400601b00200220b006002009002019006", "0x220b0060650060c400205406500720b0060c400601c0020c400620b006", "0x290060c400202a02900720b00611b00601c00211b00620b006002065002", "0x202c00620b00602a00605400202b00620b00605400605400200220b006", "0x20090020022d700220b00702c02b00702900202b00620b00602b00611b", "0x2c00202e00620b00602d00602b00202d00620b00600202a00200220b006", "0x2a00200220b0060020090020022d800600202d00202f00620b00602e006", "0x620b00603300602c00203300620b00603000602e00203000620b006002", "0x603000204800620b00604800602c00204800620b00602f00602f00202f", "0x20b00603900603300200220b0060020090020350062d903900620b007048", "0xc00903500211e00620b00611e00603900211e00620b006002048002002", "0x211e00200220b00600200900203a10d0072da12003700720b00711e016", "0x210d00212400620b00600212000203c00620b00600203700200220b006", "0x12400212a00620b00600203c00203e00620b00600203a00207d00620b006", "0x204100620b00600203e00212b00620b00600207d00212c00620b006002", "0x20b00604300607f00204300620b00604112b12c12a03e07d12403c01412a", "0x4b00204700620b00604500604100200220b00612d00604700204512d007", "0x20b00600213100212e00620b0061310470070d700213100620b00601b006", "0x4b00200220b00604d00604d00204b04d00720b00612e006130002130006", "0x605113200704f00205100620b00613000604e00213200620b00604b006", "0x12f05300720b00604e00613200200220b00604f00603300204f04e00720b", "0x605600612f00205600620b00612f00605300200220b006053006051002", "0x213600620b00603700600c00205800620b00613300605600213300620b", "0x605800613300205b00620b00600700612b00213400620b006120006016", "0x20b00600211e00200220b00600200900213505b13413600c00613500620b", "0x20b00600213400205d00620b00600213100200220b00601b00604d002002", "0x205f00620b00613705d00705b00213700620b00613700604b002137006", "0x613800605800213800620b00605f06100705d00206100620b006002135", "0x206700620b00603a00601600213900620b00610d00600c00206400620b", "0x13b06713900c00606900620b00606400613300213b00620b00600700612b", "0x220b00603500603300200220b00600211e00200220b006002009002069", "0x613c00613700213c00620b00600700612b00200220b00601b00604d002", "0x5f00206f00620b00600213100200220b00606c00603300206c06a00720b", "0x20b00613f06f00705b00213f00620b00613f00604b00213f00620b006002", "0x5800214500620b00607114100705d00214100620b006002135002071006", "0x20b00601600601600207600620b00600c00600c00207500620b006145006", "0xc00614600620b00607500613300207900620b00606a00612b002077006", "0x1900603300200220b00600211e00200220b006002009002146079077076", "0x213800214b00620b00600213100200220b00601400606100200220b006", "0x620b00607b14b00705b00207b00620b00607b00604b00207b00620b006", "0x60580020c700620b00614a07f00705d00207f00620b00600213500214a", "0x620b00601600601600215200620b00600c00600c00215100620b0060c7", "0x15200c00608300620b00615100613300214f00620b00600700612b00214e", "0x600900606100200220b00600211e00200220b00600200900208314f14e", "0x15000604b00215000620b00600213400208500620b00600213100200220b", "0x16100620b00600213500215e00620b00615008500705b00215000620b006", "0x600c00215f00620b00616000605800216000620b00615e16100705d002", "0x620b00600700612b00216300620b00601000601600215d00620b00600f", "0x20b00600207500216215c16315d00c00616200620b00615f00613300215c", "0x220b00600200600200220b00600200200200220b00600213900200f006", "0x220b0060020090020170150072db01401000720b007007002007007002", "0x600c00201901b00720b00601c00607600201c00620b00600c00600f002", "0x60020090020c40062dc01600620b00701900607700201000620b006010", "0xf00202a00620b00601400601600202900620b00601000600c00200220b", "0x2a02900914600201600620b00601600f00707900202b00620b00601b006", "0x620b00711b00614b00200220b00600200600211b05406500920b00602b", "0x202f02e00720b00602c00607b00200220b00600200900202d0062dd02c", "0x2e00601b00200220b0060020090020330062de03000620b00702f00614a", "0x3500720b00603900601c00203900620b00604800601900204800620b006", "0x603700601c00203700620b00600206500200220b0060350060c400211e", "0x203a00620b00611e00605400200220b0061200060c400210d12000720b", "0x3c03a00702900203a00620b00603a00611b00203c00620b00610d006054", "0x2b00212400620b00600202a00200220b0060020090020022df00220b007", "0x22e000600202d00203e00620b00607d00602c00207d00620b006124006", "0x620b00612a00602e00212a00620b00600202a00200220b006002009002", "0x602c00212b00620b00603e00602f00203e00620b00612c00602c00212c", "0x60020090020430062e104100620b00712b00603000212b00620b00612b", "0x12d00603900212d00620b00600204800200220b00604100603300200220b", "0x21310470072e212e04500720b00712d05406500903500212d00620b006", "0x12000213000620b00600203700200220b00600211e00200220b006002009", "0x204e00620b00600203a00204b00620b00600210d00204d00620b006002", "0x5100620b00600207d00213200620b00600212400204f00620b00600203c", "0x20b00605305113204f04e04b04d13001412a00205300620b00600203e002", "0xc00200220b00605600604700213305600720b00612f00607f00212f006", "0x20b00612e00601600213700620b00600600612c00205d00620b006045006", "0x4b00213800620b00613300604100206100620b00600900612b00205f006", "0x5f13705d0100d900213900620b00603000604e00206400620b006016006", "0x6700620b00713500615100213505b13413605801620b006139064138061", "0x213100206900620b00606700615200200220b00600200900213b0062e3", "0x220b00606c00604d00213c06c00720b00606900613000206a00620b006", "0x7100704f00214100620b00606a00604e00207100620b00613c00604b002", "0x720b00606f00613200200220b00613f00603300213f06f00720b006141", "0x612f00207600620b00607500605300200220b006145006051002075145", "0x620b00605800600c00207900620b00607700605600207700620b006076", "0x612b00207b00620b00613400601600214b00620b00613600612c002146", "0x7f14a07b14b14601600607f00620b00607900613300214a00620b00605b", "0x20b00605800600c0020c700620b00613b00605800200220b006002009002", "0x12b00214e00620b00613400601600215200620b00613600612c002151006", "0x14f14e15215101600608300620b0060c700613300214f00620b00605b006", "0x220b00603000605100200220b00600211e00200220b006002009002083", "0x620b00600213400208500620b00600213100200220b00601600604d002", "0x13500215e00620b00615008500705b00215000620b00615000604b002150", "0x20b00616000605800216000620b00615e16100705d00216100620b006002", "0x1600216300620b00600600612c00215d00620b00604700600c00215f006", "0x20b00615f00613300216200620b00600900612b00215c00620b006131006", "0x20b00600211e00200220b00600200900208716215c16315d016006087006", "0x601600604d00200220b00603000605100200220b006043006033002002", "0x215715400720b00608a00613700208a00620b00600900612b00200220b", "0x16e00620b00600205f00215b00620b00600213100200220b006157006033", "0x213500216800620b00616e15b00705b00216e00620b00616e00604b002", "0x620b00608e00605800208e00620b0061680ed00705d0020ed00620b006", "0x601600216c00620b00600600612c0020d000620b00606500600c00216b", "0x620b00616b00613300216d00620b00615400612b00209200620b006054", "0x220b00600211e00200220b00600200900217116d09216c0d0016006171", "0x20b00601600604d00200220b00602e00606100200220b006033006033002", "0x617300604b00217300620b00600213800209400620b006002131002002", "0x217500620b00600213500209600620b00617309400705b00217300620b", "0x6500600c00209900620b0060d10060580020d100620b00609617500705d", "0x17a00620b00605400601600209b00620b00600600612c00217600620b006", "0x9b17601600617c00620b00609900613300209d00620b00600900612b002", "0x601600604d00200220b00600211e00200220b00600200900217c09d17a", "0x12c0020a000620b00606500600c0020cc00620b00602d00605800200220b", "0x20b00600900612b0020a200620b00605400601600217d00620b006006006", "0x20090020a417e0a217d0a00160060a400620b0060cc00613300217e006", "0x1b00606100200220b0060c400603300200220b00600211e00200220b006", "0x213800217f00620b00600213100200220b00600f00614e00200220b006", "0x620b0060cd17f00705b0020cd00620b0060cd00604b0020cd00620b006", "0x605800218000620b0060d20a800705d0020a800620b0060021350020d2", "0x620b00600600612c0020ab00620b00601000600c0020ce00620b006180", "0x61330020c800620b00600900612b0020cf00620b006014006016002181", "0x11e00200220b0060020090020c90c80cf1810ab0160060c900620b0060ce", "0x13100200220b00600f00614e00200220b00600c00606100200220b006002", "0xcb00620b0060cb00604b0020cb00620b0060021340020ca00620b006002", "0xb300705d0020b300620b0060021350020c600620b0060cb0ca00705b002", "0x620b00601500600c00218e00620b0060b50060580020b500620b0060c6", "0x612b0020ba00620b0060170060160020b900620b00600600612c0020b7", "0xbd0bb0ba0b90b70160060bd00620b00618e0061330020bb00620b006009", "0x720b00700600200700700200220b00600200600200220b006002002002", "0x1700620b00600900600f00200220b00600200900201000f0072e401600c", "0x607700200c00620b00600c00600c00201501400720b006017006076002", "0x20b00601400600f00200220b0060020090020190062e501b00620b007015", "0x2e605400620b0070c40060770020c401c00720b006065006076002065006", "0x2900601900202900620b00601c00601b00200220b00600200900211b006", "0x220b00602b0060c400202c02b00720b00602a00601c00202a00620b006", "0x2e0060c400202f02e00720b00602d00601c00202d00620b006002065002", "0x203300620b00602f00605400203000620b00602c00605400200220b006", "0x20090020022e700220b00703303000702900203000620b00603000611b", "0x2c00203900620b00604800602b00204800620b00600202a00200220b006", "0x2a00200220b0060020090020022e800600202d00203500620b006039006", "0x620b00603700602c00203700620b00611e00602e00211e00620b006002", "0x603000212000620b00612000602c00212000620b00603500602f002035", "0x20b00610d00603300200220b00600200900203a0062e910d00620b007120", "0xc00903500203c00620b00603c00603900203c00620b006002048002002", "0x211e00200220b00600200900212a03e0072ea07d12400720b00703c016", "0x210d00212b00620b00600212000212c00620b00600203700200220b006", "0x12400212d00620b00600203c00204300620b00600203a00204100620b006", "0x204700620b00600203e00212e00620b00600207d00204500620b006002", "0x20b00612400600c00213100620b00604712e04512d04304112b12c01412a", "0x4100205100620b00600700612b00213200620b00607d00601600204f006", "0x20b00605400604b00212f00620b00601b00604b00205300620b006131006", "0x17d00204e04b04d13000c20b00605612f05305113204f00f1a1002056006", "0x61330060a200200220b0060020090020580062eb13300620b00704e006", "0x5100205b13400720b00613600613200213600620b00600213100200220b", "0x620b00613500612f00213500620b00605b00605300200220b006134006", "0x601600205f00620b00613000600c00213700620b00605d00605600205d", "0x620b00613700613300213800620b00604b00612b00206100620b00604d", "0x620b00605800605800200220b00600200900206413806105f00c006064", "0x612b00213b00620b00604d00601600206700620b00613000600c002139", "0x206a06913b06700c00606a00620b00613900613300206900620b00604b", "0x4d00200220b00605400604d00200220b00600211e00200220b006002009", "0x213c00620b00600213400206c00620b00600213100200220b00601b006", "0x600213500206f00620b00613c06c00705b00213c00620b00613c00604b", "0x14100620b00607100605800207100620b00606f13f00705d00213f00620b", "0x700612b00207500620b00612a00601600214500620b00603e00600c002", "0x900207707607514500c00607700620b00614100613300207600620b006", "0x604d00200220b00603a00603300200220b00600211e00200220b006002", "0x214b00620b00600700612b00200220b00601b00604d00200220b006054", "0x20b00600213100200220b00614600603300214607900720b00614b006137", "0x705b00214a00620b00614a00604b00214a00620b00600205f00207b006", "0x20b00607f0c700705d0020c700620b00600213500207f00620b00614a07b", "0x1600214e00620b00600c00600c00215200620b006151006058002151006", "0x20b00615200613300208300620b00607900612b00214f00620b006016006", "0x220b00600211e00200220b00600200900208508314f14e00c006085006", "0x20b00601b00604d00200220b00601c00606100200220b00611b006033002", "0x615e00604b00215e00620b00600213800215000620b006002131002002", "0x216000620b00600213500216100620b00615e15000705b00215e00620b", "0xc00600c00215d00620b00615f00605800215f00620b00616116000705d", "0x16200620b00600700612b00215c00620b00601600601600216300620b006", "0x220b00600200900208716215c16300c00608700620b00615d006133002", "0x220b00601400606100200220b00601900603300200220b00600211e002", "0x20b00615700604b00215700620b00600213800215400620b006002131002", "0x5d00215b00620b00600213500208a00620b00615715400705b002157006", "0x600c00600c00216800620b00616e00605800216e00620b00608a15b007", "0x216b00620b00600700612b00208e00620b0060160060160020ed00620b", "0x200220b0060020090020d016b08e0ed00c0060d000620b006168006133", "0x216c00620b00600213100200220b00600900606100200220b00600211e", "0x609216c00705b00209200620b00609200604b00209200620b006002134", "0x209400620b00616d17100705d00217100620b00600213500216d00620b", "0x601000601600209600620b00600f00600c00217300620b006094006058", "0x609900620b0061730061330020d100620b00600700612b00217500620b", "0x200900620b00600700601b00200220b00600211e0020990d117509600c", "0x61a300200220b00600200900200f0062ec01600c00720b0070090060db", "0x620b0060100061a400201400620b00600c00609900201000620b006016", "0x1700620b00600202a00200220b0060020090020022ed00600202d002015", "0x1b0061a400201400620b00600f00609900201b00620b0060170061a5002", "0x1900620b00601900600f00201900620b00601400605300201500620b006", "0x61a600200220b0060020090020c40062ee01c00620b0070150060df002", "0x11b00620b0060021ad00205400620b0060650061b200206500620b00601c", "0x1900600f00202d00620b00600600601600202c00620b00600200600c002", "0x3000620b00605400604b00202f00620b00611b00604300202e00620b006", "0x20b00702b00601400202b02a02900920b00603002f02e02d02c0161ae002", "0x3503900720b00603300601500200220b0060020090020480062ef033006", "0x600c00203700620b00611e0060e500211e00620b0060350390071b4002", "0x620b0060370060e700210d00620b00602a00601600212000620b006029", "0x3c00620b0060480061b800200220b00600200900203a10d12000900603a", "0x3c0060e700207d00620b00602a00601600212400620b00602900600c002", "0x60c400603300200220b00600200900203e07d12400900603e00620b006", "0x71b400212c00620b00612a0061ba00212a00620b00600202a00200220b", "0x20b00600200600c00204100620b00612b0060e500212b00620b00612c019", "0x900604500620b0060410060e700212d00620b006006006016002043006", "0x201700620b00600900612b00201500620b00600700601600204512d043", "0x62f001b00620b0070140060ea00201401000f00920b0060170150071bd", "0x601c0061bf00201c00620b00601b0060ec00200220b006002009002019", "0x200220b00606500604d00205406500720b0060c40061300020c400620b", "0x602900604d00202a02900720b00611b00613000211b00620b0060020ef", "0x1c100202c00620b00602a0061b200202b00620b0060540061b200200220b", "0x702d0061c500202d00620b00602d00604b00202d00620b00602c02b007", "0x2e00202f00620b00600202a00200220b00600200900202e0062f100220b", "0x22f200600202d00203300620b00603000602c00203000620b00602f006", "0x4800620b00600202a00200220b00602e0060f200200220b006002009002", "0x3300602f00203300620b00603900602c00203900620b00604800602b002", "0x11e00620b00703500603000203500620b00603500602c00203500620b006", "0x611e00603300200220b00600211e00200220b0060020090020370062f3", "0xf400212400620b00601000612b00203c00620b00600f00601600200220b", "0x3e0062f407d00620b00703a0061c800203a10d12000920b00612403c007", "0x20b00612a0061d400212a00620b00607d0061ca00200220b006002009002", "0x1d600200220b00612b00613600204112b00720b0060160060f800212c006", "0x4d13013104712e04512d01020b00612c0061eb00204300620b006041006", "0x20b00612e0061ef00200220b0060450060fa00200220b00612d00604d002", "0x20b00600202a00200220b00604d00604d00200220b00613000604d002002", "0x12c00205600620b00600200600c00204e00620b00604b00602b00204b006", "0x20b00610d00612b00205800620b00612000601600213300620b006006006", "0x4b00205b00620b0060430060fc00213400620b00600c006041002136006", "0x20b00604e00602c00205d00620b00604700600f00213500620b006131006", "0x5113204f01620b00613705d13505b1341360581330560150fe002137006", "0x200220b0060020090020610062f505f00620b00712f00617d00212f053", "0x20b00600210000200220b00606400603300206413800720b00605f0061f6", "0x213b00620b0060670061f900206700620b0061391380071f8002139006", "0x605100601600206a00620b00613200612c00206900620b00604f00600c", "0x606f00620b00613b0062f600213c00620b00605300612b00206c00620b", "0x13f00620b00606100610300200220b00600200900206f13c06c06a069016", "0x5100601600214100620b00613200612c00207100620b00604f00600c002", "0x7600620b00613f0062f600207500620b00605300612b00214500620b006", "0x220b00601600613600200220b006002009002076075145141071016006", "0x600200600c00207700620b00603e00610300200220b00600c006047002", "0x214b00620b00612000601600214600620b00600600612c00207900620b", "0x14b14607901600614a00620b0060770062f600207b00620b00610d00612b", "0x20b00603700603300200220b00600211e00200220b00600200900214a07b", "0x20b00600213100200220b00601600613600200220b00600c006047002002", "0x705b0020c700620b0060c700604b0020c700620b0060021fb00207f006", "0x20b00615115200705d00215200620b00600213500215100620b0060c707f", "0x12c00208300620b00600200600c00214f00620b00614e00610300214e006", "0x20b00601000612b00215000620b00600f00601600208500620b006006006", "0x200900216115e15008508301600616100620b00614f0062f600215e006", "0x1600613600200220b00600c00604700200220b00600211e00200220b006", "0x215f00620b00600200600c00216000620b00601900610300200220b006", "0x601000612b00216300620b00600f00601600215d00620b00600600612c", "0x1b200216215c16315d15f01600616200620b0061600062f600215c00620b", "0x20b00600202a00200900620b00600700600705b00200700620b006002006", "0x700600f00620b00600c0061ff00201600620b00600900604e00200c006", "0x61ff00200700620b00600200612b00200600620b00600202a00200f016", "0x600207500200f00620b00600220600200900700700600900620b006006", "0x612b00201900620b00600600601600200220b00600213900201400620b", "0x1b0060ea00201b01701500920b00601c0190071bd00201c00620b006007", "0x620b0060c40060ec00200220b0060020090020650062f70c400620b007", "0x4d00202a02900720b00611b00613000211b00620b0060540061bf002054", "0x2c00720b00602b00613000202b00620b0060020ef00200220b006029006", "0x2d0061b200202e00620b00602a0061b200200220b00602c00604d00202d", "0x620b00603000604b00203000620b00602f02e0071c100202f00620b006", "0x202a00200220b0060020090020330062f800220b0070300061c5002030", "0x3500620b00603900602c00203900620b00604800602e00204800620b006", "0x200220b0060330060f200200220b0060020090020022f900600202d002", "0x20b00603700602c00203700620b00611e00602b00211e00620b00600202a", "0x3000212000620b00612000602c00212000620b00603500602f002035006", "0x610d00603300200220b00600200900203a0062fa10d00620b007120006", "0xf400212a00620b00601700612b00203e00620b00601500601600200220b", "0x12b0062fb12c00620b00707d0061c800207d12403c00920b00612a03e007", "0x20b0060410061d400204100620b00612c0061ca00200220b006002009002", "0x450060fa00213013101004712e04512d01020b0060430061eb002043006", "0x604d00200220b00604700606100200220b00612e0061ef00200220b006", "0x4b04d00720b00612d00613000200220b00613000604d00200220b006131", "0x4f00604d00213204f00720b00604e00613000204e00620b006002000002", "0x12f05300720b00605100613000205100620b00604b0061b200200220b006", "0x605600613000205600620b0061320061b200200220b00605300604d002", "0x213600620b00612f0061b200200220b00613300604d00205813300720b", "0x1341360071c100213600620b00613600604b00213400620b0060580061b2", "0x1000620b00601000604b00205b00620b00605b00604b00205b00620b006", "0x61c500201000620b00601001400707900204d00620b00604d00604b002", "0x5d00620b00600202a00200220b0060020090021350062fc00220b00705b", "0x600202d00205f00620b00613700602c00213700620b00605d00602e002", "0x20b00600202a00200220b0061350060f200200220b0060020090020022fd", "0x2f00205f00620b00613800602c00213800620b00606100602b002061006", "0x20b00706400603000206400620b00606400602c00206400620b00605f006", "0x4d00200220b00613900603300200220b0060020090020670062fe139006", "0x603300200220b0060020090020022ff00600202d00200220b00604d006", "0x220b00613b00604d00206913b00720b00604d00613000200220b006067", "0x6c00604d00213c06c00720b00606a00613000206a00620b006002300002", "0x213f00620b00613c0061b200206f00620b0060690061b200200220b006", "0x710061c500207100620b00607100604b00207100620b00613f06f0071c1", "0x214500620b00600202a00200220b00600200900214100630100220b007", "0x30200600202d00207600620b00607500602c00207500620b00614500602e", "0x620b00600202a00200220b0061410060f200200220b006002009002002", "0x602f00207600620b00607900602c00207900620b00607700602b002077", "0x620b00714600603000214600620b00614600602c00214600620b006076", "0x211e00200220b00614b00603300200220b00600200900207b00630314b", "0x200220b00614a00613600207f14a00720b00600c0060f800200220b006", "0x603c00601600208300620b00600200600c0020c700620b00607f0061d6", "0x215e00620b0060c70060fc00215000620b00612400612b00208500620b", "0x620b00714f00630500214f14e15215100c20b00615e15008508300c304", "0x30800201600620b00616100630700200220b006002009002160006306161", "0x15d00630900215d15f00720b00601600606c00201600620b00601600f007", "0x620b00615100600c00215c00620b00616301000730a00216300620b006", "0x604100216e00620b00614e00612b00215b00620b00615200601600208a", "0x16816e15b08a01630c0020ed00620b00615c00630b00216800620b006009", "0x216b00630d08e00620b00715700617d00215715408716200c20b0060ed", "0x20b00616c00603300216c0d000720b00608e0061f600200220b006002009", "0xc00216d00620b00609200630f00209200620b00615f0d000730e002002", "0x20b00615400612b00209400620b00608700601600217100620b006162006", "0x600200900209617309417100c00609600620b00616d006310002173006", "0x600c00217500620b00616b00631100200220b00615f00613c00200220b", "0x620b00615400612b00209900620b0060870060160020d100620b006162", "0x20b00600200900209b1760990d100c00609b00620b006175006310002176", "0x600f00631200200220b00600900604700200220b00601000604d002002", "0x1600209d00620b00615100600c00217a00620b00616000631100200220b", "0x20b00617a0063100020cc00620b00614e00612b00217c00620b006152006", "0x220b00600211e00200220b0060020090020a00cc17c09d00c0060a0006", "0x20b00600f00631200200220b00601000604d00200220b00607b006033002", "0x20b00600213100200220b00600c00613600200220b006009006047002002", "0x705b0020a200620b0060a200604b0020a200620b00600231300217d006", "0x20b00617e0a400705d0020a400620b00600213500217e00620b0060a217d", "0x160020d200620b00600200600c0020cd00620b00617f00631100217f006", "0x20b0060cd00631000218000620b00612400612b0020a800620b00603c006", "0x220b00600211e00200220b0060020090020ce1800a80d200c0060ce006", "0x20b00600900604700200220b00600f00631200200220b00600c006136002", "0x200600c0020ab00620b00612b00631100200220b00601400614e002002", "0xc800620b00612400612b0020cf00620b00603c00601600218100620b006", "0x220b0060020090020c90c80cf18100c0060c900620b0060ab006310002", "0x220b00600c00613600200220b00603a00603300200220b00600211e002", "0x20b00601400614e00200220b00600900604700200220b00600f006312002", "0x60cb00604b0020cb00620b0060021fb0020ca00620b006002131002002", "0x20b300620b0060021350020c600620b0060cb0ca00705b0020cb00620b", "0x200600c00218e00620b0060b50063110020b500620b0060c60b300705d", "0xba00620b00601700612b0020b900620b0060150060160020b700620b006", "0x220b0060020090020bb0ba0b90b700c0060bb00620b00618e006310002", "0x220b00600f00631200200220b00600c00613600200220b00600211e002", "0x20b00606500631100200220b00601400614e00200220b006009006047002", "0x12b0020be00620b00601500601600218f00620b00600200600c0020bd006", "0xc10bf0be18f00c0060c100620b0060bd0063100020bf00620b006017006", "0x601600631500201600700720b00600700631400200220b00600211e002", "0x200220b00600f0060c400201000f00720b00600c00601c00200c00620b", "0x1b0170070bf00201b00620b00600900604e00201700620b00601000611b", "0x1900620b00600700630900200220b00601500603300201501400720b006", "0x1900631600211b00620b00600600601600205400620b00600200600c002", "0x602a02911b05400c31700202a00620b00601400604e00202900620b006", "0x600200900202c00631802b00620b0070650060710020650c401c00920b", "0x2a00200220b00602e00603300202e02d00720b00602b00614100200220b", "0x20b00603000631a00203000620b00602f02d00731900202f00620b006002", "0x31b00203900620b0060c400601600204800620b00601c00600c002033006", "0x631c00200220b00600200900203503904800900603500620b006033006", "0x620b0060c400601600203700620b00601c00600c00211e00620b00602c", "0x20b00600200601b00210d12003700900610d00620b00611e00631b002120", "0x220b00600200900200c00631d00900700720b0070060060db002006006", "0x160061a400200f00620b00600700609900201600620b0060090061a3002", "0x600202a00200220b00600200900200231e00600202d00201000620b006", "0x200f00620b00600c00609900201500620b0060140061a500201400620b", "0x601700600f00201700620b00600f00605300201000620b0060150061a4", "0x220b00600200900201900631f01b00620b0070100060df00201700620b", "0xc40063200020c400620b00601c0061b200201c00620b00601b0061a6002", "0x11b00620b00606500632100205400620b00601700600f00206500620b006", "0x202a00200220b00601900603300200220b00600200900211b054007006", "0x2b00620b00601700600f00202a00620b00602900632200202900620b006", "0x1b00200220b00600211e00202c02b00700602c00620b00602a006321002", "0x900200f00632301600c00720b0070090060db00200900620b006007006", "0x1400620b00600c00609900201000620b0060160061a300200220b006002", "0x220b00600200900200232400600202d00201500620b0060100061a4002", "0x600f00609900201b00620b0060170061a500201700620b00600202a002", "0x201900620b00601400605300201500620b00601b0061a400201400620b", "0x90020c400632501c00620b0070150060df00201900620b00601900600f", "0x5400620b0060650061b200206500620b00601c0061a600200220b006002", "0x600600601600202c00620b00600200600c00211b00620b006002131002", "0x202f00620b00611b00604e00202e00620b00601900600f00202d00620b", "0x2a02900920b00603002f02e02d02c01632600203000620b00605400604b", "0x7b00200220b00600200900204800632703300620b00702b00614b00202b", "0x11e00632900211e00620b00603503900732800203503900720b006033006", "0x10d00620b00602a00601600212000620b00602900600c00203700620b006", "0x200220b00600200900203a10d12000900603a00620b00603700632a002", "0x602a00601600212400620b00602900600c00203c00620b00604800632b", "0x600200900203e07d12400900603e00620b00603c00632a00207d00620b", "0x12a00632c00212a00620b00600202a00200220b0060c400603300200220b", "0x620b00612b00632900212b00620b00612c01900732800212c00620b006", "0x632a00212d00620b00600600601600204300620b00600200600c002041", "0x201401000720b00600f00613200204512d04300900604500620b006041", "0x20b00600200600c00201500620b00601400605300200220b006010006051", "0x12b00211b00620b00600700601600205400620b00600600612c002065006", "0x20b00601600604b00202a00620b00600c00604100202900620b006009006", "0x2c02b02a02911b05406501032d00202c00620b00601500600f00202b006", "0x202e00632e02d00620b0070c40060ed0020c401c01901b01701620b006", "0x620b00702f00603000202f00620b00602d00608e00200220b006002009", "0x20ef00200220b00603000603300200220b00600200900203300632f030", "0x900200233000600202d00203900620b00604800604b00204800620b006", "0x4b00203500620b00600210000200220b00603300603300200220b006002", "0x20b00611e00633200211e00620b00603900633100203900620b006035006", "0x1600210d00620b00601b00612c00212000620b00601700600c002037006", "0x20b00603700621200203c00620b00601c00612b00203a00620b006019006", "0x602e00633300200220b00600200900212403c03a10d120016006124006", "0x212a00620b00601b00612c00203e00620b00601700600c00207d00620b", "0x607d00621200212b00620b00601c00612b00212c00620b006019006016", "0x233400200c00620b00600233400204112b12c12a03e01600604100620b", "0x13900201700620b00600233500201400620b00600207500200f00620b006", "0xf0020c400620b00600200600c00200220b00600211e00200220b006002", "0x633700201c01901b00920b0060650c400733600206500620b006007006", "0x20b00601900600f00200220b00600200900205400633801500620b00701c", "0x1500620b00601501700733900202911b00720b00602a00607600202a006", "0x600c00200220b00600200900202b00633a01000620b007029006077002", "0x20b00603002f00721100203000620b00611b00600f00202f00620b00601b", "0x620b00702e00633b00201000620b00601001400707900202e02d02c009", "0xf00211e00620b00602c00600c00200220b00600200900203300633c016", "0x733d00203503904800920b00603711e00721100203700620b00602d006", "0x200900212000633e00900620b00703500633b00201600620b00601600f", "0x207d00620b00600600601600212400620b00604800600c00200220b006", "0x12400933f00200900620b00600900c00733d00203e00620b00603900600f", "0x212c00634112a00620b00703c00634000203c03a10d00920b00603e07d", "0x20b00704100634300204112b00720b00612a00634200200220b006002009", "0x604300901601001501621000200220b00600200900212d006344043006", "0x4700620b00612e12b00734600212e00620b00604500634500204500620b", "0x3a00601600213000620b00610d00600c00213100620b006047006347002", "0x200900204b04d13000900604b00620b00613100634800204d00620b006", "0x634900200220b00600900634900200220b0060150060fa00200220b006", "0x204e00620b00612d00634a00200220b00601000604d00200220b006016", "0x10d00600c00213200620b00604f00634700204f00620b00604e12b007346", "0x12f00620b00613200634800205300620b00603a00601600205100620b006", "0xfa00200220b00601000604d00200220b00600200900212f053051009006", "0x200220b00601600634900200220b00600900634900200220b006015006", "0x603a00601600213300620b00610d00600c00205600620b00612c00634b", "0x600200900213605813300900613600620b00605600634800205800620b", "0x150060fa00200220b00601000604d00200220b00601600634900200220b", "0x34600213400620b00612000634a00200220b00600c00634c00200220b006", "0x604800600c00213500620b00605b00634700205b00620b006134039007", "0x605f00620b00613500634800213700620b00600600601600205d00620b", "0x60fa00200220b00601000604d00200220b00600200900205f13705d009", "0x34a00200220b00600f00634c00200220b00600c00634c00200220b006015", "0x613800634700213800620b00606102d00734600206100620b006033006", "0x206700620b00600600601600213900620b00602c00600c00206400620b", "0x34c00200220b00600200900213b06713900900613b00620b006064006348", "0x200220b00600c00634c00200220b0060150060fa00200220b00600f006", "0x606911b00734600206900620b00602b00634a00200220b00601400614e", "0x213c00620b00601b00600c00206c00620b00606a00634700206a00620b", "0x13f06f13c00900613f00620b00606c00634800206f00620b006006006016", "0x220b00600c00634c00200220b00600f00634c00200220b006002009002", "0x20b00605400634a00200220b00601700634d00200220b00601400614e002", "0x214500620b00614100634700214100620b006071019007346002071006", "0x614500634800207600620b00600600601600207500620b00601b00600c", "0x20b00600208300201500620b00600220600207707607500900607700620b", "0x600234e00206500620b00600207500201c00620b00600214f00201b006", "0x235100202c00620b00600235000202a00620b00600234f00211b00620b", "0x20f00204800620b00600235300203000620b00600235200202e00620b006", "0x210d00620b00600207500203700620b00600235400203500620b006002", "0x12a00620b00600206400207d00620b00600208500203c00620b00600214f", "0x200220b00600211e00200220b00600213900212b00620b006002075002", "0x13104100720b00604100635600212e04512d04304101620b00600f006355", "0x604d00204d13000720b00604700613000204700620b0061310061bf002", "0x4f04e00720b00604b00613000204b00620b00600235700200220b006130", "0x613200613000213200620b00604d0061b200200220b00604e00604d002", "0x212f00620b00604f0061b200200220b00605100604d00205305100720b", "0x60530061b200200220b00605600604d00213305600720b00612f006130", "0x13400620b0061360580071c100213600620b0061330061b200205800620b", "0x900205b00635800220b0071340061c500213400620b00613400604b002", "0x205d00620b00613500602e00213500620b00600202a00200220b006002", "0x200220b00600200900200235900600202d00213700620b00605d00602c", "0x620b00605f00602b00205f00620b00600202a00200220b00605b0060f2", "0x635600213800620b00613700602f00213700620b00606100602c002061", "0x612d00635b00213904300720b00604300635a00206404100720b006041", "0x720b00612e00635c00213b04500720b00604500635b00206712d00720b", "0x20b00606a00608a00206a00620b00606913b06713906401621000206912e", "0x13c00635d06c00620b00713800603000213800620b00613800602c002002", "0x4512d04304101621000200220b00606c00603300200220b006002009002", "0x620b00600c00612b00213f00620b00600700601600206f00620b00612e", "0x20b00600200900200235e00600202d00214100620b00606f006163002071", "0xc00612b00207700620b00600700601600200220b00613c006033002002", "0x20b00600200600207607514500920b0060790770071bd00207900620b006", "0xec00200220b00600200900214b00635f14600620b0070760060ea002002", "0x614a0060fa00207f14a00720b00607b00636000207b00620b006146006", "0x215200620b00607f0063610021510c700720b00604100636000200220b", "0x14f00604d00208314f00720b00614e00613000214e00620b0061520061bf", "0x215000620b0060850061bf00208500620b00615100636100200220b006", "0x60830061b200200220b00615e00604d00216115e00720b006150006130", "0x15d00620b00615f1600071c100215f00620b0061610061b200216000620b", "0x900216300636200220b00715d0061c500215d00620b00615d00604b002", "0x216200620b00615c00602e00215c00620b00600202a00200220b006002", "0x200220b00600200900200236300600202d00208700620b00616200602c", "0x620b00615400602b00215400620b00600202a00200220b0061630060f2", "0x602c00208a00620b00608700602f00208700620b00615700602c002157", "0x600200900216e00636415b00620b00708a00603000208a00620b00608a", "0x430c701621000200220b00615b00603300200220b00600211e00200220b", "0x607500612b00213f00620b00614500601600216800620b00612e04512d", "0x20d000620b00613f00601600214100620b00616800616300207100620b", "0x600216b08e0ed00920b00616c0d000736500216c00620b00607100612b", "0x20b00600200900216d00636709200620b00716b00636600200220b006002", "0x9617312009401620b00614100635500217100620b006092006368002002", "0x209917100720b00617100635b0020d117300720b00617300635b002175", "0x36a09b17600720b0070990d100200936900212000620b00612010d007079", "0x17100634900200220b00609b00634900200220b00600200900209d17a007", "0xc0020cc00620b00617c00602b00217c00620b00600202a00200220b006", "0x236b00600202d00217d00620b0060cc00602c0020a000620b006176006", "0x720b00609600635b00200220b00609d00634900200220b006002009002", "0x20090020cd17f00736c0a417e00720b0070a217117a0093690020a2096", "0x602b0020d200620b00600202a00200220b0060a400634900200220b006", "0x620b0060a800602c00218000620b00617e00600c0020a800620b0060d2", "0x220b0060cd00634900200220b00600200900200236d00600202d0020ce", "0x617f00600c00218100620b0060ab00602e0020ab00620b00600202a002", "0x20a000620b00618000636e0020ce00620b00618100602c00218000620b", "0x60cf00602c0020cf00620b00617d00602f00217d00620b0060ce00636f", "0x220b0060020090020c90063700c800620b0070cf0060300020cf00620b", "0x18e0b50b30c60cb0ca01420b00601600637100200220b0060c8006033002", "0x219000620b0060a000600c0020bb0ba00720b00618e0063720020b90b7", "0x608e00612b00219b00620b00600900615d0020c300620b0060ed006016", "0x19d12000720b00612000635a0020d400620b0060bb00637300219c00620b", "0x1620b00619d0d419c19b0c319000f37400219d00620b00619d00604b002", "0x60020090020d60063751a000620b0070c10060ed0020c10bf0be18f0bd", "0x2c0020d700620b00619f00602f00219f00620b0061a000608e00200220b", "0x20b0060d900602c0020d900620b0060d700602f0020d700620b0060d7006", "0x200220b0060020090020db0063761a100620b0070d90060300020d9006", "0x12000720b00612000635a00200220b0061a100603300200220b00600211e", "0x20b00612407d00715f00212400620b0061750961731a30940162100021a3", "0x21ad00620b00618f0060160021a51a400720b00612400620e002124006", "0x1c80021b21a60df00920b0061ae1ad0070f40021ae00620b0060bf00612b", "0x61b40061ca00200220b0060020090020e50063771b400620b0071b2006", "0x1bd1ba01020b0061b80061eb0021b800620b0060e70061d40020e700620b", "0x200220b0061bd0060fa00200220b0061ba00604d0021c10ef1bf0ec0ea", "0x220b0061bf00604d00200220b0060ec00606100200220b0060ea0061ef", "0x620b0060020000021c500620b00600237800200220b0061c100604d002", "0x37a0021c800620b0060020ef0020f400620b0060ef0f21c50093790020f2", "0x620b0061ca00604b0021c800620b0061c800604b0021ca00620b006002", "0x1d600720b0060f400637c0020f81d400720b0061ca1c80be00937b0021ca", "0x20b00600237e0020fa00620b0060020ef00200220b0061d600637d0021eb", "0x37b0021ef00620b0061ef00604b0020fa00620b0060fa00604b0021ef006", "0x63800021eb00620b0061eb00637f0020fe0fc00720b0061ef0fa1d4009", "0x1f800604d0021f91f810000920b0061f60063810021f61eb00720b0061eb", "0x4b0022f600620b0061000061b200200220b0061f900604d00200220b006", "0x63800021fb10300720b0062f60fe0fc00937b0020fe00620b0060fe006", "0x20600604d00230000020600920b0061ff0063810021ff1eb00720b0061eb", "0x4b00230400620b0060000061b200200220b00630000604d00200220b006", "0x638100230730500720b0063041fb10300937b0021fb00620b0061fb006", "0x20b00630900604d00200220b00630800604d00230a30930800920b0061eb", "0x937b00230700620b00630700604b00230b00620b00630a0061b2002002", "0x630e00604b00230f00620b00600238200230e30c00720b00630b307305", "0x720b00630f30e30c00937b00230f00620b00630f00604b00230e00620b", "0x37b00231100620b00631100604b0020f800620b0060f800604b002311310", "0x612b00231600620b0060df00601600231331200720b0063110f8310009", "0x31200615d00231503e31400920b00631731600738300231700620b0061a6", "0x620b00603e12a00713b00231300620b00631300604b00231200620b006", "0xec00200220b00600200900231a00638431900620b0073150060ea00203e", "0x31c31331200937b00231c00620b00631b0061bf00231b00620b006319006", "0x620b00631400601600232900620b0060bd00600c00212c32000720b006", "0x707900232c00620b0061a500616300232b00620b00632000615d00232a", "0x32832632232100c20b00632c32b32a32900c38500212c00620b00612c12b", "0x615200200220b00600200900233100638632d00620b007328006151002", "0x600238200233321200720b00633212c32600937b00233200620b00632d", "0x233400620b00633400604b00233300620b00633300604b00233400620b", "0x33733633501620b0061a40063550020c403a00720b00633433321200937b", "0x33700634900200220b00633600604d00200220b0063350060fa002211339", "0x233d33b00720b00601000613200200220b00633900634900200220b006", "0x620b00600202a00233f00620b00633d00605300200220b00633b006051", "0xb90b70ba0b50b30c60cb0ca01412a00234200620b00634000602e002340", "0x34900620b00600600612c00234800620b00632100600c00234300620b006", "0x34300604100234b00620b00603e00612b00234a00620b006322006016002", "0x620b00634d0060fc00234d21100720b00621100635c00234c00620b006", "0x234e0c400720b0060c400635a0020c400620b0060c406500707900234d", "0x634200602c00234f00620b00633f00600f00234e00620b00634e00604b", "0x34c34b34a3493480150fe00203a00620b00603a03c00708700235000620b", "0x620b00601701b00716200234734634501721001620b00635034f34e34d", "0x1f600200220b00600200900235200638735100620b00734700617d002017", "0x620b00600202a00200220b00620f00603300220f35300720b006351006", "0x2902b02d05401420b00635300637100235500620b00635400602e002354", "0x36100620b00634500601600236000620b00621000600c00202f03335611e", "0x35600637300236600620b00634600612b00236500620b00603a00615d002", "0x36e00620b00635500602c00236900620b00612000604b00236800620b006", "0x38900235c35b01935a35701620b00636e369368366365361360010388002", "0x2c00720d00202d00620b00602d02e00738a00205400620b00605411b007", "0x611e03700738c00202900620b00602902a00738b00202b00620b00602b", "0x620b00602f03000738e00203300620b00603304800738d00211e00620b", "0x639036f00620b00735c00638f00201900620b00601901c00708700202f", "0x37200603300237203900720b00636f00639100200220b006002009002371", "0x237a00620b00635a00601600237900620b00635700600c00200220b006", "0x3903500739200237c00620b0062110060fc00237b00620b00635b00612b", "0x30500237820e37437300c20b00637c37b37a37900c30400203900620b006", "0x637d00630700200220b00600200900237e00639337d00620b007378006", "0x37f00720b00601400606c00201400620b00601401500730800201400620b", "0x12a00238200620b0063810c400730a00238100620b006380006309002380", "0x620b00637300600c00238300620b00602f03303911e02902b02d054014", "0x604100238c00620b00620e00612b00238b00620b00637400601600220d", "0x38d38c38b20d01630c00238e00620b00638200630b00238d00620b006383", "0x239100639438f00620b00738a00617d00238a38938838500c20b00638e", "0x20b00639500603300239539200720b00638f0061f600200220b006002009", "0xc00239600620b00620c00630f00220c00620b00637f39200730e002002", "0x20b00638800601600239800620b00601700612c00239700620b006385006", "0x31000239b00620b00638900612b00239a00620b00601900615d002399006", "0x220b00600200900239c39b39a39939839700f00639c00620b006396006", "0x638500600c00239d00620b00639100631100200220b00637f00613c002", "0x23a000620b00638800601600239f00620b00601700612c00239e00620b", "0x639d0063100023a200620b00638900612b0023a100620b00601900615d", "0x604d00200220b0060020090023a33a23a13a039f39e00f0063a300620b", "0x39600200220b00602f00620c00200220b00605400639500200220b0060c4", "0x200220b00611e00639800200220b00603900639700200220b006033006", "0x220b00602d00639b00200220b00602b00639a00200220b006029006399", "0x637300600c0023a400620b00637e00631100200220b006015006312002", "0x23a700620b0063740060160023a600620b00601700612c0023a500620b", "0x63a40063100023a900620b00620e00612b0023a800620b00601900615d", "0x604d00200220b0060020090023aa3a93a83a73a63a500f0063aa00620b", "0x39b00200220b00602b00639a00200220b00605400639500200220b0060c4", "0x200220b00602f00620c00200220b00601500631200200220b00602d006", "0x220b00602900639900200220b00611e00639800200220b006033006396", "0x20b00637100631100200220b00603500639d00200220b00621100639c002", "0x160023ad00620b00601700612c0023ac00620b00635700600c0023ab006", "0x20b00635b00612b0023af00620b00601900615d0023ae00620b00635a006", "0x90023b13b03af3ae3ad3ac00f0063b100620b0063ab0063100023b0006", "0x31200200220b00603500639d00200220b0060c400604d00200220b006002", "0x200220b00603000639e00200220b00601c00615700200220b006015006", "0x220b00611b00639f00200220b00612000604d00200220b00621100639c", "0x20b00602a0063a200200220b00602c0063a100200220b00602e0063a0002", "0x635200631100200220b0060480063a400200220b0060370063a3002002", "0x23b400620b00601700612c0023b300620b00621000600c0023b200620b", "0x634600612b0023b600620b00603a00615d0023b500620b006345006016", "0x23b83b73b63b53b43b300f0063b800620b0063b20063100023b700620b", "0x200220b0060480063a400200220b0060c600639a00200220b006002009", "0x220b0061a400608a00200220b00602c0063a100200220b00603500639d", "0x20b00601c00615700200220b00601500631200200220b0060370063a3002", "0x612000604d00200220b00601000605100200220b00603000639e002002", "0x2e0063a000200220b00611b00639f00200220b00602a0063a200200220b", "0x639b00200220b0060ca00639500200220b00601b00615400200220b006", "0x39700200220b0060b700639600200220b0060b900620c00200220b0060cb", "0x200220b0060b300639900200220b0060b500639800200220b0060ba006", "0x220b00612c00604d00200220b00606500614e00200220b00603c006157", "0x600612c0023ba00620b00632100600c0023b900620b006331006311002", "0x3bd00620b00632600615d0023bc00620b0063220060160023bb00620b006", "0x3bb3ba00f0063bf00620b0063b90063100023be00620b00603e00612b002", "0x63a400200220b0060c600639a00200220b0060020090023bf3be3bd3bc", "0x8a00200220b00602c0063a100200220b00603500639d00200220b006048", "0x200220b00601500631200200220b0060370063a300200220b0061a4006", "0x220b00601000605100200220b00603000639e00200220b00601c006157", "0x20b00611b00639f00200220b00602a0063a200200220b00612000604d002", "0x60ca00639500200220b00601b00615400200220b00602e0063a0002002", "0xb900620c00200220b00606500614e00200220b0060cb00639b00200220b", "0x639800200220b0060ba00639700200220b0060b700639600200220b006", "0x8a00200220b00603c00615700200220b0060b300639900200220b0060b5", "0x200220b00631300604d00200220b00612b00614e00200220b0061a5006", "0x600600612c0023c100620b0060bd00600c0023c000620b00631a006311", "0x23c400620b00631200615d0023c300620b0063140060160023c200620b", "0x3c33c23c100f0063c600620b0063c00063100023c500620b00603e00612b", "0x480063a400200220b0060c600639a00200220b0060020090023c63c53c4", "0x608a00200220b00602c0063a100200220b00603500639d00200220b006", "0x15700200220b00601500631200200220b0060370063a300200220b0061a4", "0x200220b00601000605100200220b00603000639e00200220b00601c006", "0x220b00611b00639f00200220b00602a0063a200200220b00612000604d", "0x20b0060ca00639500200220b00601b00615400200220b00602e0063a0002", "0x60b900620c00200220b00606500614e00200220b0060cb00639b002002", "0xb500639800200220b0060ba00639700200220b0060b700639600200220b", "0x608a00200220b00603c00615700200220b0060b300639900200220b006", "0x31100200220b00612a00614500200220b00612b00614e00200220b0061a5", "0x20b00600600612c0023c800620b0060bd00600c0023c700620b0060e5006", "0x12b00221700620b0060be00615d0023ca00620b0060df0060160023c9006", "0x2173ca3c93c800f0063cc00620b0063c70063100023cb00620b0061a6006", "0x20b0060db00603300200220b00600211e00200220b0060020090023cc3cb", "0x603500639d00200220b0060480063a400200220b0060c600639a002002", "0x1500631200200220b0060370063a300200220b00602c0063a100200220b", "0x605100200220b00603000639e00200220b00601c00615700200220b006", "0x39f00200220b00602a0063a200200220b00612000604d00200220b006010", "0x200220b00601b00615400200220b00602e0063a000200220b00611b006", "0x220b00606500614e00200220b0060cb00639b00200220b0060ca006395", "0x20b0060b700639600200220b0060b900620c00200220b00612a006145002", "0x60b300639900200220b0060b500639800200220b0060ba006397002002", "0x7d00615b00200220b00612b00614e00200220b00603c00615700200220b", "0x634900200220b00609600634900200220b00617500639c00200220b006", "0x3a50023cd00620b00600213100200220b0060940060fa00200220b006173", "0x20b0062183cd00705b00221800620b00621800604b00221800620b006002", "0x3110023d000620b0063ce3cf00705d0023cf00620b0060021350023ce006", "0x20b00600600612c0023d200620b0060bd00600c0023d100620b0063d0006", "0x12b0023d500620b0060be00615d0023d400620b00618f0060160023d3006", "0x3d53d43d33d200f0063d700620b0063d10063100023d600620b0060bf006", "0x20b0060c600639a00200220b00600211e00200220b0060020090023d73d6", "0x602c0063a100200220b00603500639d00200220b0060480063a4002002", "0x1c00615700200220b00601500631200200220b0060370063a300200220b", "0x604d00200220b00601000605100200220b00603000639e00200220b006", "0x3a000200220b00611b00639f00200220b00602a0063a200200220b006120", "0x200220b0060ca00639500200220b00601b00615400200220b00602e006", "0x220b00612a00614500200220b00606500614e00200220b0060cb00639b", "0x20b0060ba00639700200220b0060b700639600200220b0060b900620c002", "0x603c00615700200220b0060b300639900200220b0060b5006398002002", "0x17500639c00200220b00607d00615b00200220b00612b00614e00200220b", "0x60fa00200220b00617300634900200220b00609600634900200220b006", "0x3d900620b0060bd00600c0023d800620b0060d600631100200220b006094", "0xbe00615d0023db00620b00618f0060160023da00620b00600600612c002", "0x3de00620b0063d80063100023dd00620b0060bf00612b0023dc00620b006", "0x220b00600211e00200220b0060020090023de3dd3dc3db3da3d900f006", "0x20b00603500639d00200220b0060480063a400200220b0060c9006033002", "0x60370063a300200220b0060940060fa00200220b00602c0063a1002002", "0x3000639e00200220b00601c00615700200220b00601500631200200220b", "0x63a200200220b00612000604d00200220b00601000605100200220b006", "0x15400200220b00602e0063a000200220b00611b00639f00200220b00602a", "0x200220b00606500614e00200220b00612b00614e00200220b00601b006", "0x220b00609600634900200220b00612a00614500200220b006173006349", "0x20b00603c00615700200220b00607d00615b00200220b00617500639c002", "0x20b0060023a60023df00620b00600213100200220b006016006047002002", "0x23e100620b0063e03df00705b0023e000620b0063e000604b0023e0006", "0x63e30063110023e300620b0063e13e200705d0023e200620b006002135", "0x23e600620b00600600612c0023e500620b0060a000600c0023e400620b", "0x608e00612b0023e800620b00600900615d0023e700620b0060ed006016", "0x23ea3e93e83e73e63e500f0063ea00620b0063e40063100023e900620b", "0x39d00200220b0060480063a400200220b00600211e00200220b006002009", "0x200220b0060370063a300200220b00602c0063a100200220b006035006", "0x220b00603000639e00200220b00601c00615700200220b006015006312", "0x20b00602a0063a200200220b00614100608a00200220b006010006051002", "0x601b00615400200220b00602e0063a000200220b00611b00639f002002", "0x3c00615700200220b00606500614e00200220b00612b00614e00200220b", "0x604700200220b00607d00615b00200220b00612a00614500200220b006", "0x23eb00620b00616d00631100200220b00610d00614e00200220b006016", "0x60ed0060160023ed00620b00600600612c0023ec00620b00600200600c", "0x23f000620b00608e00612b0023ef00620b00600900615d0023ee00620b", "0x20b0060020090023f13f03ef3ee3ed3ec00f0063f100620b0063eb006310", "0x20b00610d00614e00200220b00616e00603300200220b00600211e002002", "0x602c0063a100200220b00603500639d00200220b0060480063a4002002", "0x1c00615700200220b00601500631200200220b0060370063a300200220b", "0x63a200200220b00601000605100200220b00603000639e00200220b006", "0x15400200220b00602e0063a000200220b00611b00639f00200220b00602a", "0x200220b00606500614e00200220b00612b00614e00200220b00601b006", "0x220b00601600604700200220b00612a00614500200220b00603c006157", "0x20b00604500634900200220b00612e00639c00200220b00607d00615b002", "0x60c70060fa00200220b00604300604d00200220b00612d006349002002", "0x3f300604b0023f300620b0060023a70023f200620b00600213100200220b", "0x3f500620b0060021350023f400620b0063f33f200705b0023f300620b006", "0x600c0023f700620b0063f60063110023f600620b0063f43f500705d002", "0x620b0061450060160023f900620b00600600612c0023f800620b006002", "0x63100023fc00620b00607500612b0023fb00620b00600900615d0023fa", "0x200220b0060020090023fd3fc3fb3fa3f93f800f0063fd00620b0063f7", "0x200220b0060480063a400200220b00610d00614e00200220b00600211e", "0x220b0060370063a300200220b00602c0063a100200220b00603500639d", "0x20b00603000639e00200220b00601c00615700200220b006015006312002", "0x611b00639f00200220b00602a0063a200200220b006010006051002002", "0x12b00614e00200220b00601b00615400200220b00602e0063a000200220b", "0x614500200220b00603c00615700200220b00606500614e00200220b006", "0x39c00200220b00607d00615b00200220b00601600604700200220b00612a", "0x200220b00612d00634900200220b00604500634900200220b00612e006", "0x620b00614b00631100200220b0060410060fa00200220b00604300604d", "0x60160023ff00620b00600600612c00221b00620b00600200600c0023fe", "0x620b00607500612b00240100620b00600900615d00240000620b006145", "0x20750024034024014003ff21b00f00640300620b0063fe006310002402", "0x211e00200220b00600213900201500620b00600206400201000620b006", "0x201b01700720b00601600620e00200220b00600c00604700200220b006", "0x20b00600900612b00206500620b00600600601600200220b00601700608a", "0x620b0070c40061c80020c401c01900920b0060540650070f4002054006", "0x1d400202a00620b00611b0061ca00200220b00600200900202900640411b", "0x4803303002f02e02d02c01020b00602b0061eb00202b00620b00602a006", "0x20b00602e0061ef00200220b00602d0060fa00200220b00602c00604d002", "0x604800604d00200220b00603000604d00200220b00602f006061002002", "0x3900937900203500620b00600200000203900620b00600237800200220b", "0x12000620b00600237a00203700620b0060020ef00211e00620b006033035", "0x700937b00212000620b00612000604b00203700620b00603700604b002", "0x3c00637d00212403c00720b00611e00637c00203a10d00720b006120037", "0x604b00203e00620b00600237e00207d00620b0060020ef00200220b006", "0x603e07d10d00937b00203e00620b00603e00604b00207d00620b00607d", "0x12400720b00612400638000212400620b00612400637f00212c12a00720b", "0x4d00200220b00604300604d00212d04304100920b00612b00638100212b", "0x620b00612c00604b00204500620b0060410061b200200220b00612d006", "0x12400720b00612400638000204712e00720b00604512c12a00937b00212c", "0x4d00200220b00613000604d00204b04d13000920b006131006381002131", "0x620b00604700604b00204e00620b00604d0061b200200220b00604b006", "0x5100920b00612400638100213204f00720b00604e04712e00937b002047", "0x12f0061b200200220b00605300604d00200220b00605100604d00212f053", "0x20b00605613204f00937b00213200620b00613200604b00205600620b006", "0x4b00205800620b00605800604b00213600620b006002382002058133007", "0x604b00205b13400720b00613605813300937b00213600620b006136006", "0x605b03a13400937b00205b00620b00605b00604b00203a00620b00603a", "0x13800620b00601c00612b00206100620b00601900601600205d13500720b", "0x213500620b00613500615d00205f01413700920b006138061007383002", "0x5f0060ea00201400620b00601401500713b00205d00620b00605d00604b", "0x620b0060640060ec00200220b00600200900213900640506400620b007", "0xf06900720b00613b05d13500937b00213b00620b0060670061bf002067", "0x6900615d00207100620b00613700601600213f00620b00600200600c002", "0x620b00600f01000707900214500620b00601b00616300214100620b006", "0x706f00615100206f13c06c06a00c20b00614514107113f00c38500200f", "0x7700620b00607500615200200220b00600200900207600640607500620b", "0x4b00214b00620b00600238200214607900720b00607700f13c00937b002", "0x14b14607900937b00214b00620b00614b00604b00214600620b006146006", "0x620b00607f00633200207f00620b00614a00633100214a07b00720b006", "0x615d00215200620b00606c00601600215100620b00606a00600c0020c7", "0x620b0060c700621200214f00620b00601400612b00214e00620b00607b", "0x20b00600f00604d00200220b00600200900208314f14e152151016006083", "0x601600215000620b00606a00600c00208500620b006076006333002002", "0x620b00601400612b00216100620b00613c00615d00215e00620b00606c", "0x600200900215f16016115e15001600615f00620b006085006212002160", "0x5d00604d00200220b00601000614e00200220b00601b00608a00200220b", "0x216300620b00600200600c00215d00620b00613900633300200220b006", "0x601400612b00216200620b00613500615d00215c00620b006137006016", "0x900215408716215c16301600615400620b00615d00621200208700620b", "0x14500200220b00601000614e00200220b00601b00608a00200220b006002", "0x620b00600200600c00215700620b00602900633300200220b006015006", "0x612b00216e00620b00600700615d00215b00620b00601900601600208a", "0xed16816e15b08a0160060ed00620b00615700621200216800620b00601c", "0x600f00639500201c01901b01701501401000f01420b00600c006371002", "0x1500639900200220b00601400639a00200220b00601000639b00200220b", "0x620c00200220b00601900639600200220b00601700639800200220b006", "0x2b00620b00600600601600202a00620b00600200600c00200220b00601c", "0x1b00637300202d00620b00600900612b00202c00620b00600700615d002", "0x2e02d02c02b02a00f37400202f00620b00601600604b00202e00620b006", "0x3300640703000620b0070290060ed00202911b0540650c401620b00602f", "0x20b00604800602f00204800620b00603000608e00200220b006002009002", "0xc00211e00620b0060350063a900203500620b0060390063a8002039006", "0x20b00605400615d00212000620b00606500601600203700620b0060c4006", "0x1600603c00620b00611e0063aa00203a00620b00611b00612b00210d006", "0x212400620b0060330063ab00200220b00600200900203c03a10d120037", "0x605400615d00203e00620b00606500601600207d00620b0060c400600c", "0x612b00620b0061240063aa00212c00620b00611b00612b00212a00620b", "0x20b00700700603000200700620b00600200636f00212b12c12a03e07d016", "0xef00200220b00600900603300200220b00600200900200c006408009006", "0x200240900600202d00200f00620b00601600604b00201600620b006002", "0x201000620b00600200000200220b00600c00603300200220b006002009", "0x1400604d00201501400720b00600f00613000200f00620b00601000604b", "0x201c00620b00600600604e00201900620b0060150061b200200220b006", "0x600202a00200220b00601b00603300201b01700720b00601c01900704f", "0x605400620b0060c40061ff00206500620b00601700604e0020c400620b", "0x900700720b00600c00607600200c00620b00600600600f002054065007", "0x73ac00200220b00600200900200f00640a01600620b007009006077002", "0x140063ad00200220b00600200900201500640b01401000720b007016002", "0x1900620b00600700600f00201b00620b00601000600c00201700620b006", "0x200220b00600200900201c01901b00900601c00620b0060170063ae002", "0x20b00601500600c00206500620b0060c40063af0020c400620b00600202a", "0x900602900620b0060650063ae00211b00620b00600700600f002054006", "0x600c00202a00620b00600f0063af00200220b00600200900202911b054", "0x620b00602a0063ae00202c00620b00600700600f00202b00620b006002", "0x200220b00600213900201000620b0060023b000202d02c02b00900602d", "0x620b00600700612b00201b00620b00600600601600200220b00600211e", "0x1c00620b0070170060ea00201701501400920b00601901b007383002019", "0x636000206500620b00601c0060ec00200220b0060020090020c400640c", "0x620b00601400601600200220b0060540060fa00211b05400720b006065", "0x2b02a02900920b00602d02c0071bd00202d00620b00601500612b00202c", "0x200900202f00640d02e00620b00702b0060ea00200220b006002006002", "0x4803300720b00603000636000203000620b00602e0060ec00200220b006", "0x60390061bf00203900620b00611b00636100200220b0060330060fa002", "0x200220b00611e00604d00203711e00720b00603500613000203500620b", "0x610d00613000210d00620b0061200061bf00212000620b006048006361", "0x212400620b0060370061b200200220b00603a00604d00203c03a00720b", "0x3e00604b00203e00620b00607d1240071c100207d00620b00603c0061b2", "0x220b00600200900212a00640e00220b00703e0061c500203e00620b006", "0x612b00602c00212b00620b00612c00602e00212c00620b00600202a002", "0x612a0060f200200220b00600200900200240f00600202d00204100620b", "0x602c00212d00620b00604300602b00204300620b00600202a00200220b", "0x620b00604500602c00204500620b00604100602f00204100620b00612d", "0x11e00200220b00600200900204700641012e00620b007045006030002045", "0x13100c00720b00600c0063b100200220b00612e00603300200220b006002", "0x602900601600204d00620b0060023b300213000620b0061310063b2002", "0x205300620b0061300063b400205100620b00602a00612b00213200620b", "0x4f04e04b00920b00612f05305113200c3b500212f00620b00604d00604b", "0x608e00200220b00600200900213300641105600620b00704f0060ed002", "0x620b00613600602c00213600620b00605800602f00205800620b006056", "0x3300200220b00600200900205b00641213400620b007136006030002136", "0x13504e04b0093b600213500c00720b00600c0063b100200220b006134006", "0x600202a00200220b00600200900213806105f00941313705d00720b007", "0x206700620b00605d00601600213900620b0060640063b700206400620b", "0x41400600202d00206900620b0061390063b800213b00620b00613700612b", "0x605f00601600206a00620b0061380063b900200220b006002009002002", "0x206900620b00606a0063b800213b00620b00606100612b00206700620b", "0x706c0063bc00206c00620b00613c0063bb00213c00620b0060690063ba", "0x200220b00606f0063bd00200220b00600200900213f00641506f00620b", "0x200600c00214100620b0060710063be00207100c00720b00600c0063b1", "0x14b00620b00613b00612b00214600620b00606700601600207900620b006", "0x790163c000214a00620b0061410063bf00207b00620b006009006041002", "0x41607f00620b00707700617d00207707607514500c20b00614a07b14b146", "0x603300215100f00720b00607f0061f600200220b0060020090020c7006", "0x15000620b00614500600c00215200620b00600c0063c100200220b006151", "0x1520063c200216100620b00607600612b00215e00620b006075006016002", "0x620b00600f0100073c300215f00620b00601600604e00216000620b006", "0x850063c500208508314f14e00c20b00615f16016115e1500163c400200f", "0x620b00615d0063c600200220b00600200900216300641715d00620b007", "0xc00208700620b0061620063c800216200620b00615c00f0073c700215c", "0x20b00608300612b00215700620b00614f00601600215400620b00614e006", "0x600200900215b08a15715400c00615b00620b0060870063c900208a006", "0x600c00216e00620b0061630063ca00200220b00600f00604700200220b", "0x620b00608300612b0020ed00620b00614f00601600216800620b00614e", "0x20b00600200900216b08e0ed16800c00616b00620b00616e0063c900208e", "0x601000621700200220b00601600605100200220b00600c00609b002002", "0x1600216c00620b00614500600c0020d000620b0060c70063ca00200220b", "0x20b0060d00063c900216d00620b00607600612b00209200620b006075006", "0x20b00600c00609b00200220b00600200900217116d09216c00c006171006", "0x600900604700200220b00601000621700200220b006016006051002002", "0x1600217300620b00600200600c00209400620b00613f0063ca00200220b", "0x20b0060940063c900217500620b00613b00612b00209600620b006067006", "0x20b00605b00603300200220b0060020090020d117509617300c0060d1006", "0x601000621700200220b00601600605100200220b00600c00609b002002", "0x60023cb00209900620b00600213100200220b00600900604700200220b", "0x9b00620b00617609900705b00217600620b00617600604b00217600620b", "0x9d0063ca00209d00620b00609b17a00705d00217a00620b006002135002", "0xa000620b00604b0060160020cc00620b00600200600c00217c00620b006", "0xa00cc00c0060a200620b00617c0063c900217d00620b00604e00612b002", "0x601600605100200220b00600c00609b00200220b0060020090020a217d", "0x1330063ca00200220b00600900604700200220b00601000621700200220b", "0x17f00620b00604b0060160020a400620b00600200600c00217e00620b006", "0x17f0a400c0060d200620b00617e0063c90020cd00620b00604e00612b002", "0x20b00604700603300200220b00600211e00200220b0060020090020d20cd", "0x601000621700200220b00601600605100200220b00600c00609b002002", "0x60023cc0020a800620b00600213100200220b00600900604700200220b", "0xce00620b0061800a800705b00218000620b00618000604b00218000620b", "0x1810063ca00218100620b0060ce0ab00705d0020ab00620b006002135002", "0xc900620b0060290060160020c800620b00600200600c0020cf00620b006", "0xc90c800c0060cb00620b0060cf0063c90020ca00620b00602a00612b002", "0x20b00600c00609b00200220b00600211e00200220b0060020090020cb0ca", "0x600900604700200220b00601000621700200220b006016006051002002", "0x600c0020c600620b00602f0063ca00200220b00611b0060fa00200220b", "0x620b00602a00612b0020b500620b0060290060160020b300620b006002", "0x20b0060020090020b718e0b50b300c0060b700620b0060c60063c900218e", "0x601000621700200220b00601600605100200220b00600c00609b002002", "0x600c0020b900620b0060c40063ca00200220b00600900604700200220b", "0x620b00601500612b0020bb00620b0060140060160020ba00620b006002", "0x20b00600211e00218f0bd0bb0ba00c00618f00620b0060b90063c90020bd", "0x1c00200c00620b00601600601900201600700720b0060070063cd002002", "0x20b00601000611b00200220b00600f0060c400201000f00720b00600c006", "0x1501400720b00601b0170070bf00201b00620b00600900604e002017006", "0x600200600c00201900620b00600700605300200220b006015006033002", "0x202900620b00601900600f00211b00620b00600600601600205400620b", "0x650c401c00920b00602a02911b05400c21800202a00620b00601400604e", "0x614100200220b00600200900202c00641802b00620b007065006071002", "0x2f00620b00600202a00200220b00602e00603300202e02d00720b00602b", "0x600c00203300620b00603000631a00203000620b00602f02d007319002", "0x620b00603300631b00203900620b0060c400601600204800620b00601c", "0x11e00620b00602c00631c00200220b006002009002035039048009006035", "0x11e00631b00212000620b0060c400601600203700620b00601c00600c002", "0x600206400200f00620b0060023b000210d12003700900610d00620b006", "0x206400201900620b00600206400201700620b0060023ce00201400620b", "0x600601600200220b00600211e00200220b0060021390020c400620b006", "0x920b00602a02900738300202a00620b00600700612b00202900620b006", "0x220b00600200900202c00641902b00620b00711b0060ea00211b054065", "0x60fa00202f02e00720b00602d00636000202d00620b00602b0060ec002", "0x3500620b00605400612b00203900620b00606500601600200220b00602e", "0x60ea00200220b00600200600204803303000920b0060350390071bd002", "0x20b00611e0060ec00200220b00600200900203700641a11e00620b007048", "0x36100200220b00610d0060fa00203a10d00720b006120006360002120006", "0x20b00612400613000212400620b00603c0061bf00203c00620b00602f006", "0x1bf00212a00620b00603a00636100200220b00607d00604d00203e07d007", "0x612b00604d00204112b00720b00612c00613000212c00620b00612a006", "0x1c100212d00620b0060410061b200204300620b00603e0061b200200220b", "0x70450061c500204500620b00604500604b00204500620b00612d043007", "0x2e00204700620b00600202a00200220b00600200900212e00641b00220b", "0x241c00600202d00213000620b00613100602c00213100620b006047006", "0x4d00620b00600202a00200220b00612e0060f200200220b006002009002", "0x13000602f00213000620b00604b00602c00204b00620b00604d00602b002", "0x4f00620b00704e00603000204e00620b00604e00602c00204e00620b006", "0x900637100200220b00604f00603300200220b00600200900213200641d", "0x13505b00720b0060530063cf00213413605813305612f05305101420b006", "0x1350063d000213800620b00603300612b00206100620b006030006016002", "0x5f00615100205f13705d00920b0060641380610093d100206400620b006", "0x620b00613900615200200220b00600200900206700641e13900620b007", "0x20ef00200220b00606900604d00206a06900720b00613b00613000213b", "0x220b00613c00604d00206f13c00720b00606c00613000206c00620b006", "0x604d00214107100720b00613f00613000213f00620b00606a0061b2002", "0x7500720b00614500613000214500620b00606f0061b200200220b006071", "0x760061b200207700620b0061410061b200200220b00607500604d002076", "0x620b00614600604b00214600620b0060790770071c100207900620b006", "0x202a00200220b00600200900214b00641f00220b0071460061c5002146", "0x7f00620b00614a00602c00214a00620b00607b00602e00207b00620b006", "0x200220b00614b0060f200200220b00600200900200242000600202d002", "0x20b00615100602c00215100620b0060c700602b0020c700620b00600202a", "0x2f00215200620b00615200602c00215200620b00607f00602f00207f006", "0x20b00714e00603000214e00620b00614e00602c00214e00620b006152006", "0x603300200220b00600211e00200220b00600200900208300642114f006", "0x620b00605d00601600215008500720b00612f0063d200200220b00614f", "0x93d400216300620b0061500063d300215d00620b00613700612b00215f", "0x16200642215c00620b00716000615100216016115e00920b00616315d15f", "0x20b0060510063d500208700620b00615c00615200200220b006002009002", "0x8500720b0060850063d700215705b00720b00605b0063d6002154051007", "0x216e13300720b0061330063d900215b05600720b0060560063d800208a", "0x63dc0020ed13600720b0061360063db00216805800720b0060580063da", "0x620b00608e0ed16816e15b08a15715401412a00208e13400720b006134", "0x90020d000642300220b0070870061c500200220b00616b00604700216b", "0x620b00615e00601600209216c00720b0060560063dd00200220b006002", "0x93df00217500620b0060920063de00209600620b00616100612b002173", "0x709400615100200220b00600200600209417116d00920b006175096173", "0x17600620b0060d100615200200220b0060020090020990064240d100620b", "0x60020ef00200220b00609b00604d00217a09b00720b006176006130002", "0x200220b00617c00604d0020cc17c00720b00609d00613000209d00620b", "0x17d0a00071c100217d00620b0060cc0061b20020a000620b00617a0061b2", "0x42500220b0070a20061c50020a200620b0060a200604b0020a200620b006", "0x60a400602e0020a400620b00600202a00200220b00600200900217e006", "0x200900200242600600202d0020cd00620b00617f00602c00217f00620b", "0x602b0020d200620b00600202a00200220b00617e0060f200200220b006", "0x620b0060cd00602f0020cd00620b0060a800602c0020a800620b0060d2", "0xab0064270ce00620b00718000603000218000620b00618000602c002180", "0x200220b0060ce00603300200220b00600211e00200220b006002009002", "0x20b00616d00601600218100620b00613413605813316c08505b05101412a", "0x2d0020c900620b0061810060410020c800620b00617100612b0020cf006", "0xab00603300200220b00600211e00200220b006002009002002428006002", "0x614500200220b0060170063e000200220b00601400614500200220b006", "0x14500200220b00600f00621700200220b00600c00605100200220b006019", "0x200220b00613600639600200220b00613400620c00200220b0060c4006", "0x220b00616c00639900200220b00613300639800200220b006058006397", "0x20b00605100639500200220b00605b00639b00200220b00608500639a002", "0x60cb00604b0020cb00620b0060023e10020ca00620b006002131002002", "0x20b300620b0060021350020c600620b0060cb0ca00705b0020cb00620b", "0x200600c00218e00620b0060b50063ca0020b500620b0060c60b300705d", "0xba00620b00617100612b0020b900620b00616d0060160020b700620b006", "0x220b0060020090020bb0ba0b90b700c0060bb00620b00618e0063c9002", "0x220b0060170063e000200220b00601400614500200220b00600211e002", "0x20b00600f00621700200220b00600c00605100200220b006019006145002", "0x613600639600200220b00613400620c00200220b0060c4006145002002", "0x16c00639900200220b00613300639800200220b00605800639700200220b", "0x639500200220b00605b00639b00200220b00608500639a00200220b006", "0x18f00620b00600200600c0020bd00620b0060990063ca00200220b006051", "0xbd0063c90020bf00620b00617100612b0020be00620b00616d006016002", "0xd00060f200200220b0060020090020c10bf0be18f00c0060c100620b006", "0x1600219000620b00613413605813305608505b05101412a00200220b006", "0x20b0061900060410020c800620b00616100612b0020cf00620b00615e006", "0x63e200219f0d61a019d0d419c19b0c301420b0060c90063710020c9006", "0x20b0060cf0060160021a500620b00600200600c0020d90d700720b0060c3", "0x3e40021b200620b0060d90063e30021a600620b0060c800612b0020df006", "0x3e500200220b0060020060021a41a30db1a100c20b0061b21a60df1a500c", "0x61ad0063e600200220b0060020090021ae0064291ad00620b0071a4006", "0x21b800620b0060023e80020e70e500720b0061b40063e70021b400620b", "0x60e70063e700200220b0061ba00609b0021bd1ba00720b0061b80063e7", "0xef1bf00720b0061bd0063e700200220b0060ea00609b0020ec0ea00720b", "0x60ef0061730021c500620b0060ec00617300200220b0061bf00609b002", "0xf400620b0061c100602f0021c100620b0060f21c50073e90020f200620b", "0x3d70021ca19b00720b00619b0063d60021c80d700720b0060d70063d5002", "0x19d0063d90020f80d400720b0060d40063d80021d419c00720b00619c006", "0x20b0060d60063db0021eb1a000720b0061a00063da0021d619d00720b006", "0x1d60f81d41ca1c801412a0021ef19f00720b00619f0063dc0020fa0d6007", "0x20b0060f400602c00200220b0060fc0060470020fc00620b0061ef0fa1eb", "0x200220b0060020090021f600642a0fe00620b0070f40060300020f4006", "0x200220b0060e500609b00200220b0060fe00603300200220b00600211e", "0x20b0061a100600c00210000620b00619f0d61a019d0d419c19b0d701412a", "0x4100201c00620b0061a300612b0021f900620b0060db0060160021f8006", "0x3300200220b00600200900200242b00600202d00201600620b006100006", "0x1ff1fb00942c1032f600720b0070e51a30db0093b600200220b0061f6006", "0x20b0060000063b700200000620b00600202a00200220b006002009002206", "0x3b800230500620b00610300612b00230400620b0062f6006016002300006", "0x3b900200220b00600200900200242d00600202d00230700620b006300006", "0x20b0061ff00612b00230400620b0061fb00601600230800620b006206006", "0x3bb00230a00620b0063070063ba00230700620b0063080063b8002305006", "0x200900230c00642e30b00620b0073090063bc00230900620b00630a006", "0x601600230e00620b0060023e800200220b00630b0063bd00200220b006", "0x620b0060d70063e300231300620b00630500612b00231200620b006304", "0x30f00920b00631531431331200c3ea00231500620b00630e006173002314", "0x200220b00600200900231700642f31600620b0073110063eb002311310", "0x619b0063cf00200220b00631a00603300231a31900720b0063160063ec", "0x32800620b00631000612b00232600620b00630f00601600231c31b00720b", "0x32232132000920b0063293283260093d100232900620b00631c0063d0002", "0x211e00200220b00600200900232b00643032a00620b007322006151002", "0x232d00620b00632c0063ed00232c00620b00632a00615200200220b006", "0x20b0061a100600c00233100620b00619f0d61a019d0d419c31b31901412a", "0x4100233700620b00632100612b00233600620b006320006016002335006", "0x3373363350163ef00221100620b00632d0063ee00233900620b006331006", "0x33d00643133b00620b00733400617d00233433321233200c20b006211339", "0x634000603300234033f00720b00633b0061f600200220b006002009002", "0x12b0021f900620b0062120060160021f800620b00633200600c00200220b", "0x20b00600c00613200201600620b00633f00604100201c00620b006333006", "0x34634500720b00621000601c00221000620b006343006019002343342007", "0x20b00634700601c00234700620b00600206500200220b0063450060c4002", "0x5400234a00620b00634600605400200220b0063480060c4002349348007", "0x601c0c400713b00234a00620b00634a00611b00234b00620b006349006", "0x220b00734b34a00702900201600620b00601600f0073c300201c00620b", "0x605100234d34c00720b00634200613200200220b006002009002002432", "0x35200620b0061f800600c00234e00620b00634d00605300200220b00634c", "0x35200901000220f00620b00634e00600f00235300620b0061f9006016002", "0x20b00735100601400200220b00600200600235135034f00920b00620f353", "0x35735600720b00635400601500200220b006002009002355006433354006", "0x601b00200220b00600200900235a00643401500620b007357006017002", "0x720b00635c00601c00235c00620b00635b00601900235b00620b006356", "0x36500601c00236500620b00600206500200220b0063600060c4002361360", "0x36900620b00636100605400200220b0063660060c400236836600720b006", "0x170073f000236900620b00636900611b00236e00620b006368006054002", "0x20b00600200900200243500220b00736e36900702900201500620b006015", "0x37100602c00237100620b00636f00602b00236f00620b00600202a002002", "0x600202a00200220b00600200900200243600600202d00237200620b006", "0x237200620b00637400602c00237400620b00637300602e00237300620b", "0x720e00603000220e00620b00620e00602c00220e00620b00637200602f", "0x200220b00637800603300200220b00600200900237900643737800620b", "0x35000601600237c00620b00637b0061d600237b37a00720b0060150060f8", "0x920b00638037f00738300238000620b00601c00612b00237f00620b006", "0x1b00620b00601b01900713b00237c00620b00637c0060fc00237e01b37d", "0x211e00200220b00600200900238200643838100620b00737e0060ea002", "0x238a00620b00634f00600c00238300620b0063810060ec00200220b006", "0x63830063f100238b00620b00637c0060fc00220d00620b00637d006016", "0x3890063f300238938838500920b00638c38b20d38a00c3f200238c00620b", "0x220b00638d0063f400200220b00600200900238e00643938d00620b007", "0x3910061d600200220b00638f00613600239138f00720b00637a0060f8002", "0x39800620b00638800601600239700620b00638500600c00239200620b006", "0x39700c30400239a00620b0063920060fc00239900620b00601b00612b002", "0x201000620b00601001400713b00239601020c39500c20b00639a399398", "0x39b00630700200220b00600200900239c00643a39b00620b007396006305", "0x3a039f00720b00639d00606c00239e00620b00600213100239d00620b006", "0x620c0060160023a400620b00639500600c00200220b00639f00613c002", "0x23a700620b00639e00604e0023a600620b0063a000606f0023a500620b", "0x3a800620b0073a30060710023a33a23a100920b0063a73a63a53a400c13f", "0x330023ab3aa00720b0063a800614100200220b0060020090023a900643b", "0x20b0063ac0063c80023ac00620b0063aa0160073c700200220b0063ab006", "0x12b0023af00620b0063a20060160023ae00620b0063a100600c0023ad006", "0x3b13b03af3ae00c0063b100620b0063ad0063c90023b000620b006010006", "0x620b0063a90063ca00200220b00601600604700200220b006002009002", "0x612b0023b400620b0063a20060160023b300620b0063a100600c0023b2", "0x23b63b53b43b300c0063b600620b0063b20063c90023b500620b006010", "0x3b700620b00639c0063ca00200220b00601600604700200220b006002009", "0x1000612b0023b900620b00620c0060160023b800620b00639500600c002", "0x90023bb3ba3b93b800c0063bb00620b0063b70063c90023ba00620b006", "0x13600200220b00601400614500200220b00601600604700200220b006002", "0x620b00638500600c0023bc00620b00638e0063ca00200220b00637a006", "0x63c90023bf00620b00601b00612b0023be00620b0063880060160023bd", "0x211e00200220b0060020090023c03bf3be3bd00c0063c000620b0063bc", "0x613600200220b00601400614500200220b00601600604700200220b006", "0x23c100620b0063820063ca00200220b00637c00639c00200220b00637a", "0x601b00612b0023c300620b00637d0060160023c200620b00634f00600c", "0x20090023c53c43c33c200c0063c500620b0063c10063c90023c400620b", "0x1600604700200220b00637900603300200220b00600211e00200220b006", "0x613600200220b00601900614500200220b00601400614500200220b006", "0x4b0023c700620b0060023f50023c600620b00600213100200220b006015", "0x20b0060021350023c800620b0063c73c600705b0023c700620b0063c7006", "0x221700620b0063ca0063ca0023ca00620b0063c83c900705d0023c9006", "0x601c00612b0023cc00620b0063500060160023cb00620b00634f00600c", "0x20090022183cd3cc3cb00c00621800620b0062170063c90023cd00620b", "0x1600604700200220b00635a00603300200220b00600211e00200220b006", "0x606100200220b00601900614500200220b00601400614500200220b006", "0x3f50023ce00620b00600213100200220b0060170063e000200220b006356", "0x20b0063cf3ce00705b0023cf00620b0063cf00604b0023cf00620b006002", "0x3ca0023d200620b0063d03d100705d0023d100620b0060021350023d0006", "0x20b0063500060160023d400620b00634f00600c0023d300620b0063d2006", "0xc0063d700620b0063d30063c90023d600620b00601c00612b0023d5006", "0x1600604700200220b00600211e00200220b0060020090023d73d63d53d4", "0x63e000200220b00601900614500200220b00601400614500200220b006", "0x3d900620b00634f00600c0023d800620b0063550063ca00200220b006017", "0x3d80063c90023db00620b00601c00612b0023da00620b006350006016002", "0x1400614500200220b0060020090023dc3db3da3d900c0063dc00620b006", "0x605100200220b00601900614500200220b0060170063e000200220b006", "0x3de00620b0063dd0160073c70023dd00620b00600213100200220b006342", "0x1f90060160023e000620b0061f800600c0023df00620b0063de0063c8002", "0x3e300620b0063df0063c90023e200620b00601c00612b0023e100620b006", "0x200220b00601400614500200220b0060020090023e33e23e13e000c006", "0x220b00600c00605100200220b00601900614500200220b0060170063e0", "0x20b00633d0063ca00200220b0060c400614500200220b00600f006217002", "0x12b0023e600620b0062120060160023e500620b00633200600c0023e4006", "0x3e83e73e63e500c0063e800620b0063e40063c90023e700620b006333006", "0x200220b00600f00621700200220b00600211e00200220b006002009002", "0x220b0060170063e000200220b0060c400614500200220b006014006145", "0x20b00631900639500200220b00600c00605100200220b006019006145002", "0x61a000639700200220b0060d600639600200220b00619f00620c002002", "0x19c00639a00200220b0060d400639900200220b00619d00639800200220b", "0xc0023e900620b00632b0063ca00200220b00631b00639b00200220b006", "0x20b00632100612b0023eb00620b0063200060160023ea00620b0061a1006", "0x60020090023ed3ec3eb3ea00c0063ed00620b0063e90063c90023ec006", "0x601400614500200220b00600f00621700200220b00600211e00200220b", "0x1900614500200220b0060170063e000200220b0060c400614500200220b", "0x639a00200220b00619b00639b00200220b00600c00605100200220b006", "0x39700200220b0060d600639600200220b00619f00620c00200220b00619c", "0x200220b0060d400639900200220b00619d00639800200220b0061a0006", "0x630f0060160023ef00620b0061a100600c0023ee00620b0063170063ca", "0x63f200620b0063ee0063c90023f100620b00631000612b0023f000620b", "0x621700200220b00600211e00200220b0060020090023f23f13f03ef00c", "0x3e000200220b0060c400614500200220b00601400614500200220b00600f", "0x200220b00600c00605100200220b00601900614500200220b006017006", "0x220b00619c00639a00200220b0060d400639900200220b00619b00639b", "0x20b0061a000639700200220b0060d600639600200220b00619f00620c002", "0x630c0063ca00200220b0060d700639500200220b00619d006398002002", "0x23f500620b0063040060160023f400620b0061a100600c0023f300620b", "0x3f63f53f400c0063f700620b0063f30063c90023f600620b00630500612b", "0x220b00601400614500200220b00600211e00200220b0060020090023f7", "0x20b00600c00605100200220b00601900614500200220b0060170063e0002", "0x619f00620c00200220b0060c400614500200220b00600f006217002002", "0x19d00639800200220b0061a000639700200220b0060d600639600200220b", "0x639b00200220b00619c00639a00200220b0060d400639900200220b006", "0x23f800620b0061ae0063ca00200220b0060d700639500200220b00619b", "0x61a300612b0023fa00620b0060db0060160023f900620b0061a100600c", "0x20090023fc3fb3fa3f900c0063fc00620b0063f80063c90023fb00620b", "0x63e000200220b00601400614500200220b00605b00639b00200220b006", "0x39500200220b00600c00605100200220b00601900614500200220b006017", "0x200220b0060c400614500200220b00600f00621700200220b006051006", "0x220b00605800639700200220b00613600639600200220b00613400620c", "0x20b00605600639900200220b00608500639a00200220b006133006398002", "0x60160023fe00620b00600200600c0023fd00620b0061620063ca002002", "0x620b0063fd0063c90023ff00620b00616100612b00221b00620b00615e", "0x200220b00600211e00200220b0060020090024003ff21b3fe00c006400", "0x220b00601400614500200220b00605b00639b00200220b006083006033", "0x20b00600c00605100200220b00601900614500200220b0060170063e0002", "0x60c400614500200220b00600f00621700200220b006051006395002002", "0x5800639700200220b00613600639600200220b00613400620c00200220b", "0x639a00200220b00605600639900200220b00613300639800200220b006", "0x4b00240200620b0060023f600240100620b00600213100200220b00612f", "0x20b00600213500240300620b00640240100705b00240200620b006402006", "0x221a00620b00643d0063ca00243d00620b00640343c00705d00243c006", "0x613700612b00243f00620b00605d00601600243e00620b00600200600c", "0x200900244144043f43e00c00644100620b00621a0063c900244000620b", "0x1400614500200220b00605b00639b00200220b00600211e00200220b006", "0x605100200220b00601900614500200220b0060170063e000200220b006", "0x14500200220b00600f00621700200220b00605100639500200220b00600c", "0x200220b00613600639600200220b00613400620c00200220b0060c4006", "0x220b00605600639900200220b00613300639800200220b006058006397", "0x600200600c00244200620b0060670063ca00200220b00612f00639a002", "0x244500620b00613700612b00244400620b00605d00601600244300620b", "0x200220b00600200900244644544444300c00644600620b0064420063c9", "0x200220b00601400614500200220b00613200603300200220b00600211e", "0x220b00600c00605100200220b00601900614500200220b0060170063e0", "0x20b00600900604700200220b0060c400614500200220b00600f006217002", "0x644800604b00244800620b0060023cc00244700620b006002131002002", "0x244a00620b00600213500244900620b00644844700705b00244800620b", "0x200600c00244c00620b00644b0063ca00244b00620b00644944a00705d", "0x44e00620b00603300612b00221900620b00603000601600244d00620b006", "0x220b00600200900244f44e21944d00c00644f00620b00644c0063c9002", "0x220b0060170063e000200220b00601400614500200220b00600211e002", "0x20b00600f00621700200220b00600c00605100200220b006019006145002", "0x602f0060fa00200220b00600900604700200220b0060c4006145002002", "0x1600245100620b00600200600c00245000620b0060370063ca00200220b", "0x20b0064500063c900245300620b00603300612b00245200620b006030006", "0x20b00600900604700200220b00600200900245445345245100c006454006", "0x601900614500200220b0060170063e000200220b006014006145002002", "0xc400614500200220b00600f00621700200220b00600c00605100200220b", "0x245600620b00600200600c00245500620b00602c0063ca00200220b006", "0x64550063c900245800620b00605400612b00245700620b006065006016", "0x700601600200220b00601600604d00245945845745600c00645900620b", "0x920b0060170150070f400201700620b00600900612b00201500620b006", "0x220b00600200900201900645a01b00620b0070140061c800201401000f", "0xc40061eb0020c400620b00601c0061d400201c00620b00601b0061ca002", "0x61ef00200220b0060540060fa00202c02b02a02911b05406501020b006", "0x13000200220b00602c00604d00200220b00602b00604d00200220b00611b", "0x20b00602f00613000202f00620b0060023f700202e02d00720b006065006", "0x13000204800620b00602e0061b200200220b00603000604d002033030007", "0x20b0060330061b200200220b00603900604d00203503900720b006048006", "0x1b200200220b00603700604d00212003700720b00611e00613000211e006", "0x20b00610d00604b00203a00620b0061200061b200210d00620b006035006", "0x203c00620b00603c00604b00203c00620b00603a10d0071c100210d006", "0x602d00604b00202900620b00602900600f00202a00620b00602a00604b", "0x200220b00600200900212400645b00220b00703c0061c500202d00620b", "0x20b00603e00602c00203e00620b00607d00602e00207d00620b00600202a", "0x20b0061240060f200200220b00600200900200245c00600202d00212a006", "0x12b00602c00212b00620b00612c00602b00212c00620b00600202a002002", "0x4100620b00604100602c00204100620b00612a00602f00212a00620b006", "0x603300200220b00600200900212d00645d04300620b007041006030002", "0x200900200245e00600202d00200220b00602d00604d00200220b006043", "0x212e04500720b00602d00613000200220b00612d00603300200220b006", "0x720b00604700613000204700620b0060023f800200220b00604500604d", "0x61b200204d00620b00612e0061b200200220b00613100604d002130131", "0x20b00604e00604b00204e00620b00604b04d0071c100204b00620b006130", "0x2a00200220b00600200900204f00645f00220b00704e0061c500204e006", "0x620b00605100602c00205100620b00613200602e00213200620b006002", "0x220b00604f0060f200200220b00600200900200246000600202d002053", "0x605600602c00205600620b00612f00602b00212f00620b00600202a002", "0x213300620b00613300602c00213300620b00605300602f00205300620b", "0x5800603300200220b00600200900213600646105800620b007133006030", "0x206100620b00600600612c00205f00620b00600200600c00200220b006", "0x600c00604100206400620b00601000612b00213800620b00600f006016", "0x213b00620b00602900600f00206700620b00602a00604b00213900620b", "0x63bc00213705d13505b13401620b00613b06713906413806105f0103f9", "0x20b0060690063bd00200220b00600200900206a00646206900620b007137", "0x13c00633200213c00620b00606c00633100206c00620b006002100002002", "0x7100620b00605b00612c00213f00620b00613400600c00206f00620b006", "0x6f00621200214500620b00605d00612b00214100620b006135006016002", "0x633300200220b00600200900207514514107113f01600607500620b006", "0x620b00605b00612c00207700620b00613400600c00207600620b00606a", "0x621200214b00620b00605d00612b00214600620b006135006016002079", "0x3300200220b00600200900207b14b14607907701600607b00620b006076", "0x200220b00602a00604d00200220b00602900606100200220b006136006", "0x7f00620b00600231300214a00620b00600213100200220b00600c006047", "0x21350020c700620b00607f14a00705b00207f00620b00607f00604b002", "0x620b00615200633300215200620b0060c715100705d00215100620b006", "0x601600208300620b00600600612c00214f00620b00600200600c00214e", "0x620b00614e00621200215000620b00601000612b00208500620b00600f", "0x20b00600c00604700200220b00600200900215e15008508314f01600615e", "0x612c00216000620b00600200600c00216100620b006019006333002002", "0x620b00601000612b00215d00620b00600f00601600215f00620b006006", "0x1600604d00215c16315d15f16001600615c00620b006161006212002163", "0x604d00200220b00601000604d00200220b00600f00604d00200220b006", "0x1c00620b00600900612b00201900620b00600700601600200220b006014", "0x4630c400620b00701b0061c800201b01701500920b00601c0190070f4002", "0x540061d400205400620b0060c40061ca00200220b006002009002065006", "0xfa00202f02e02d02c02b02a02901020b00611b0061eb00211b00620b006", "0x200220b00602e00604d00200220b00602b0061ef00200220b00602a006", "0x20b00600200000203303000720b00602900613000200220b00602f00604d", "0x1b200200220b00603900604d00203503900720b006048006130002048006", "0x603700604d00212003700720b00611e00613000211e00620b006033006", "0x203c03a00720b00610d00613000210d00620b0060350061b200200220b", "0x20b00603c0061b200212400620b0061200061b200200220b00603a00604d", "0x203e00620b00607d1240071c100212400620b00612400604b00207d006", "0x602c00600f00202d00620b00602d00604b00203e00620b00603e00604b", "0x646400220b00703e0061c500203000620b00603000604b00202c00620b", "0x20b00612c00602e00212c00620b00600202a00200220b00600200900212a", "0x600200900200246500600202d00204100620b00612b00602c00212b006", "0x4300602b00204300620b00600202a00200220b00612a0060f200200220b", "0x4500620b00604100602f00204100620b00612d00602c00212d00620b006", "0x204700646612e00620b00704500603000204500620b00604500602c002", "0x200220b00603000604d00200220b00612e00603300200220b006002009", "0x13000200220b00604700603300200220b00600200900200246700600202d", "0x620b00600230000200220b00613100604d00213013100720b006030006", "0x61b200200220b00604b00604d00204e04b00720b00604d00613000204d", "0x20b00613204f0071c100213200620b00604e0061b200204f00620b006130", "0x5300646800220b0070510061c500205100620b00605100604b002051006", "0x620b00612f00602e00212f00620b00600202a00200220b006002009002", "0x20b00600200900200246900600202d00213300620b00605600602c002056", "0x605800602b00205800620b00600202a00200220b0060530060f2002002", "0x213400620b00613300602f00213300620b00613600602c00213600620b", "0x900213500646a05b00620b00713400603000213400620b00613400602c", "0x206400620b00600200600c00200220b00605b00603300200220b006002", "0x601700612b00206700620b00601500601600213900620b00600600612c", "0x206a00620b00602d00604b00206900620b00600c00604100213b00620b", "0x1620b00606c06a06913b0671390640103f900206c00620b00602c00600f", "0x600200900206f00646b13c00620b0071380063bc00213806105f13705d", "0x13f00633100213f00620b00600210000200220b00613c0063bd00200220b", "0x14500620b00605d00600c00214100620b00607100633200207100620b006", "0x6100612b00207600620b00605f00601600207500620b00613700612c002", "0x207907707607514501600607900620b00614100621200207700620b006", "0x620b00605d00600c00214600620b00606f00633300200220b006002009", "0x612b00214a00620b00605f00601600207b00620b00613700612c00214b", "0xc707f14a07b14b0160060c700620b00614600621200207f00620b006061", "0x220b00602c00606100200220b00613500603300200220b006002009002", "0x620b00600213100200220b00600c00604700200220b00602d00604d002", "0x15100705b00215200620b00615200604b00215200620b006002313002151", "0x620b00614e14f00705d00214f00620b00600213500214e00620b006152", "0x612c00215000620b00600200600c00208500620b006083006333002083", "0x620b00601700612b00216100620b00601500601600215e00620b006006", "0x600200900215f16016115e15001600615f00620b006085006212002160", "0x600c00215d00620b00606500633300200220b00600c00604700200220b", "0x620b00601500601600215c00620b00600600612c00216300620b006002", "0x16301600615400620b00615d00621200208700620b00601700612b002162", "0x7500201900620b00600208300201700620b00600214f00215408716215c", "0x601600200220b00600211e00200220b0060021390020c400620b006002", "0x20b00602a02900738300202a00620b00600c00612b00202900620b006007", "0x20b00600200900202c00646c02b00620b00711b0060ea00211b054065009", "0xfa00202f02e00720b00602d00636000202d00620b00602b0060ec002002", "0x620b00605400612b00203900620b00606500601600200220b00602e006", "0xea00200220b00600200600204803303000920b0060350390071bd002035", "0x611e0060ec00200220b00600200900203700646d11e00620b007048006", "0x200220b00610d0060fa00203a10d00720b00612000636000212000620b", "0x612400613000212400620b00603c0061bf00203c00620b00602f006361", "0x212a00620b00603a00636100200220b00607d00604d00203e07d00720b", "0x12b00604d00204112b00720b00612c00613000212c00620b00612a0061bf", "0x212d00620b0060410061b200204300620b00603e0061b200200220b006", "0x450061c500204500620b00604500604b00204500620b00612d0430071c1", "0x204700620b00600202a00200220b00600200900212e00646e00220b007", "0x46f00600202d00213000620b00613100602c00213100620b00604700602e", "0x620b00600202a00200220b00612e0060f200200220b006002009002002", "0x602f00213000620b00604b00602c00204b00620b00604d00602b00204d", "0x620b00704e00603000204e00620b00604e00602c00204e00620b006130", "0x4f00603300200220b00600211e00200220b00600200900213200647004f", "0x13600620b00600200600c00205305100720b00601600607f00200220b006", "0x900615d00205b00620b00603000601600213400620b00600600612c002", "0x13700620b00605300604100205d00620b00603300612b00213500620b006", "0x604b00205f00620b00605f00604b00205f00f00720b00600f00635a002", "0x13505b1341360153fa00213800620b00601400604b00206100620b006010", "0x601b01900716200205813301505601b12f00f20b00613806105f13705d", "0x6400620b0070580063bc00201500620b00601501700708700201b00620b", "0x5100637100200220b0060640063bd00200220b006002009002139006471", "0x14107100720b00606c0063fb00213f06f13c06c06a06913b06701420b006", "0x13300612b00214600620b00605600601600207900620b00612f00600c002", "0x607b14b14607900c3fd00207b00620b0061410063fc00214b00620b006", "0x200900207f00647214a00620b0070770060c800207707607514500c20b", "0x15215100920b0060c70063fe0020c700620b00614a0060c900200220b006", "0x614500600c00200220b00614e00604d00200220b00615200604d00214e", "0x216000620b00607600612b00216100620b00607500601600215e00620b", "0x8508314f00c20b00615f16016115e00c3ff00215f00620b00615100621b", "0x40100200220b00600200900216300647315d00620b007150006400002150", "0x20b00600202a00208716200720b00615c00640200215c00620b00615d006", "0x215b08a00720b00615700640200215700620b006154006403002154006", "0x20b00615b00643d00216800620b00608700643d00200220b00608a00643c", "0x47408e00620b00716e00603000216e00620b0060ed16800721a0020ed006", "0x20b00600243e00200220b00608e00603300200220b00600200900216b006", "0xd000943f00209200620b0060020ef00216c00620b0060020ef0020d0006", "0x20b00608300601600217500620b00614f00600c00216d00620b00609216c", "0xc600217600620b0060710063fc00209900620b00608500612b0020d1006", "0x17309417100c20b00609b1760990d117501644000209b00620b00616d006", "0x44200200220b00600200900209d00647517a00620b007096006441002096", "0x20b00616200640200200220b0060cc0060330020cc17c00720b00617a006", "0x64430020a200620b00600202a00200220b0060a000643c00217d0a0007", "0x20b0060a400643c00217f0a400720b00617e00640200217e00620b0060a2", "0x640200200220b0060cd00643c0020d20cd00720b00617d006402002002", "0x620b0060d200643d00200220b0060a800643c0021800a800720b00617f", "0x2f0020ce00620b0061810ab00744400218100620b00618000643d0020ab", "0x613b0063d60020c806700720b0060670063d50020cf00620b0060ce006", "0x720b00606a0063d80020ca06900720b0060690063d70020c913b00720b", "0xb313c00720b00613c0063da0020c617c00720b00617c0063d90020cb06a", "0x12a00218e13f00720b00613f0063dc0020b506f00720b00606f0063db002", "0x220b0060b70060470020b700620b00618e0b50b30c60cb0ca0c90c8014", "0x20ba0064760b900620b0070cf0060300020cf00620b0060cf00602c002", "0x17c06a06913b06701412a00200220b0060b900603300200220b006002009", "0x60940060160020bd00620b00617100600c0020bb00620b00613f06f13c", "0x20bf00620b0060bb0060410020be00620b00617300612b00218f00620b", "0x12a00200220b0060ba00603300200220b00600200900200247700600202d", "0x19000620b0060024450020c100620b00613f06f13c17c06a06913b067014", "0x17300612b0021a000620b00609400601600219d00620b00617100600c002", "0xd700620b00619000644600219f00620b0060c10060410020d600620b006", "0x70d400617d0020d419c19b0c300c20b0060d719f0d61a019d016447002", "0xdb00720b0060d90061f600200220b0060020090021a10064780d900620b", "0x19b0060160020bd00620b0060c300600c00200220b0061a30060330021a3", "0xbf00620b0060db0060410020be00620b00619c00612b00218f00620b006", "0xbe0064490021a500620b00618f0064480021a400620b0060bd00636e002", "0x900200247900600202d0021a600620b0060bf00644a0020df00620b006", "0x44b00200220b0060c400614e00200220b00600f00604d00200220b006002", "0x20b00601b00612c0021ad00620b0060c300600c0021b200620b0061a1006", "0x12b0020e500620b00601500615d0021b400620b00619b0060160021ae006", "0xe51b41ae1ad00f0061b800620b0061b200644c0020e700620b00619c006", "0x60c400614e00200220b00600f00604d00200220b0060020090021b80e7", "0x13c00639700200220b00606f00639600200220b00613f00620c00200220b", "0x639a00200220b00606a00639900200220b00616200643c00200220b006", "0x44b00200220b00606700639500200220b00613b00639b00200220b006069", "0x20b00601b00612c0021bd00620b00617100600c0021ba00620b00609d006", "0x12b0021bf00620b00601500615d0020ec00620b0060940060160020ea006", "0x1bf0ec0ea1bd00f0061c100620b0061ba00644c0020ef00620b006173006", "0x616200643c00200220b00616b00603300200220b0060020090021c10ef", "0x600c0021c500620b00613f06f13c07106a06913b06701412a00200220b", "0x620b00608500612b0021a500620b0060830060160021a400620b00614f", "0x1ca1c80f40f201420b0061a60063710021a600620b0061c50060410020df", "0x21f600620b0061a50060160020fa00620b0060020650021eb1d60f81d4", "0x60fa00611b0021f800620b0061eb00644d00210000620b0060df00612b", "0xfe00644e0020fe0fc1ef00920b0061f91f81001f600c2190021f900620b", "0x720b0062f600644f00200220b00600200900210300647a2f600620b007", "0x1ef00601600220600620b00600206500200220b0061ff0060330021ff1fb", "0x30800620b0061d600645000230700620b0060fc00612b00230500620b006", "0x30000000920b00630930830730500c45100230900620b00620600611b002", "0x45300200220b00600200900230b00647b30a00620b007304006452002304", "0x1c80f40f201412a00200220b00630e00603300230e30c00720b00630a006", "0x31331231131001420b00630f00637100230f00620b0061fb30c0f81d41ca", "0x620b00600000601600231a31900720b0063110063cf002317316315314", "0x93d100232600620b00631a0063d000232200620b00630000612b002321", "0x644d00231000620b0063100063e300232031c31b00920b006326322321", "0x620b0063130063de00231200620b0063120063d300231700620b006317", "0x645000231500620b00631500637300231400620b0063140063fc002313", "0x620b00732000615100231900620b0063190063d000231600620b006316", "0x1600201c00620b00632800615200200220b00600200900232900647c328", "0x20b0063190063d000233100620b00631c00612b00232d00620b00631b006", "0x221200620b00621200604b00221200f00720b00600f00635a002332006", "0x620b00601c0c400707900232c32b32a00920b00621233233132d00c454", "0x45600200220b00600200900233400647d33300620b00732c00645500201c", "0x20b00600f00635a00200220b00633600603300233633500720b006333006", "0x31531431331233531001412a00233900620b00633700645700233700f007", "0x20b00632a00601600234200620b0061a400600c00221100620b006317316", "0x45800234500620b00621100604100221000620b00632b00612b002343006", "0x33f33d33b00c20b00634634521034334201645900234600620b006339006", "0x1f600200220b00600200900234800647e34700620b00734000617d002340", "0x20b00601c00647f00200220b00634a00603300234a34900720b006347006", "0x12b00235100620b00633d00601600235000620b00633b00600c00234b006", "0x20b00634b00648000235300620b00634900604100235200620b00633f006", "0x617d00234f34e34d34c00c20b00620f35335235135001648100220f006", "0x20b0063540061f600200220b00600200900235500648235400620b00734f", "0xc00235a00620b00600f0063ed00200220b006357006033002357356007", "0x20b00634e00612b00236600620b00634d00601600236500620b00634c006", "0x3ef00236e00620b00635a0063ee00236900620b006356006041002368006", "0x620b00736100617d00236136035c35b00c20b00636e369368366365016", "0x237337200720b00636f0061f600200220b00600200900237100648336f", "0x20b00637437200748400237400620b00600202a00200220b006373006033", "0x12c00237900620b00635b00600c00237800620b00620e00648500220e006", "0x20b00601500615d00237b00620b00635c00601600237a00620b00601b006", "0xf00637e00620b00637800644c00237d00620b00636000612b00237c006", "0x37f00620b00637100644b00200220b00600200900237e37d37c37b37a379", "0x35c00601600238100620b00601b00612c00238000620b00635b00600c002", "0x38500620b00636000612b00238300620b00601500615d00238200620b006", "0x600200900238838538338238138000f00638800620b00637f00644c002", "0x600c00238900620b00635500644b00200220b00600f00604d00200220b", "0x620b00634d00601600220d00620b00601b00612c00238a00620b00634c", "0x644c00238d00620b00634e00612b00238c00620b00601500615d00238b", "0x200220b00600200900238e38d38c38b20d38a00f00638e00620b006389", "0x620b00634800644b00200220b00601c00604d00200220b00600f00604d", "0x601600239200620b00601b00612c00239100620b00633b00600c00238f", "0x620b00633f00612b00220c00620b00601500615d00239500620b00633d", "0x200900239739620c39539239100f00639700620b00638f00644c002396", "0x639500200220b00601c00604d00200220b00600f00604d00200220b006", "0x39700200220b00631600639600200220b00631700620c00200220b006310", "0x200220b00631300639900200220b00631400639800200220b006315006", "0x20b0061a400600c00239800620b00633400644b00200220b00631200639a", "0x15d00239b00620b00632a00601600239a00620b00601b00612c002399006", "0x20b00639800644c00239d00620b00632b00612b00239c00620b006015006", "0xf00604d00200220b00600200900239e39d39c39b39a39900f00639e006", "0x639900200220b00631200639a00200220b00631000639500200220b006", "0x39700200220b00631600639600200220b00631700620c00200220b006313", "0x200220b00631900639b00200220b00631400639800200220b006315006", "0x20b0061a400600c00239f00620b00632900644b00200220b0060c400614e", "0x15d0023a200620b00631b0060160023a100620b00601b00612c0023a0006", "0x20b00639f00644c0023a400620b00631c00612b0023a300620b006015006", "0xf00604d00200220b0060020090023a53a43a33a23a13a000f0063a5006", "0x639500200220b0061fb00620c00200220b0060c400614e00200220b006", "0x39900200220b0061d400639800200220b0060f800639700200220b0060f2", "0x200220b0060f400639b00200220b0061c800639a00200220b0061ca006", "0x601b00612c0023a700620b0061a400600c0023a600620b00630b00644b", "0x23aa00620b00601500615d0023a900620b0060000060160023a800620b", "0x3a93a83a700f0063ac00620b0063a600644c0023ab00620b00630000612b", "0xc400614e00200220b00600f00604d00200220b0060020090023ac3ab3aa", "0x639500200220b0061c800639a00200220b0060f400639b00200220b006", "0x39900200220b0061d400639800200220b0060f800639700200220b0060f2", "0x3ad00620b00610300644b00200220b0061d600639600200220b0061ca006", "0x1ef0060160023af00620b00601b00612c0023ae00620b0061a400600c002", "0x3b200620b0060fc00612b0023b100620b00601500615d0023b000620b006", "0x60020090023b33b23b13b03af3ae00f0063b300620b0063ad00644c002", "0x6900639a00200220b0060c400614e00200220b00600f00604d00200220b", "0x620c00200220b00613b00639b00200220b00606700639500200220b006", "0x39900200220b00613c00639700200220b00606f00639600200220b00613f", "0x3b400620b00616300644b00200220b00607100639800200220b00606a006", "0x830060160023b600620b00601b00612c0023b500620b00614f00600c002", "0x3b900620b00608500612b0023b800620b00601500615d0023b700620b006", "0x60020090023ba3b93b83b73b63b500f0063ba00620b0063b400644c002", "0x6900639a00200220b0060c400614e00200220b00600f00604d00200220b", "0x620c00200220b00613b00639b00200220b00606700639500200220b006", "0x39800200220b00613c00639700200220b00606f00639600200220b00613f", "0x3bb00620b00607f00644b00200220b00606a00639900200220b006071006", "0x750060160023bd00620b00601b00612c0023bc00620b00614500600c002", "0x3c000620b00607600612b0023bf00620b00601500615d0023be00620b006", "0x60020090023c13c03bf3be3bd3bc00f0063c100620b0063bb00644c002", "0x5100604700200220b0060c400614e00200220b00600f00604d00200220b", "0x23c300620b00612f00600c0023c200620b00613900644b00200220b006", "0x601500615d0023c500620b0060560060160023c400620b00601b00612c", "0x63c800620b0063c200644c0023c700620b00613300612b0023c600620b", "0x200220b00600211e00200220b0060020090023c83c73c63c53c43c300f", "0x220b00600f00604d00200220b0060c400614e00200220b006132006033", "0x20b00601400604d00200220b00601700615700200220b006019006154002", "0x20b00600213100200220b00601600604700200220b00601000604d002002", "0x705b0023ca00620b0063ca00604b0023ca00620b0060023cc0023c9006", "0x20b0062173cb00705d0023cb00620b00600213500221700620b0063ca3c9", "0x12c00221800620b00600200600c0023cd00620b0063cc00644b0023cc006", "0x20b00600900615d0023cf00620b0060300060160023ce00620b006006006", "0xf0063d200620b0063cd00644c0023d100620b00603300612b0023d0006", "0x14e00200220b00600211e00200220b0060020090023d23d13d03cf3ce218", "0x200220b00601900615400200220b00600f00604d00200220b0060c4006", "0x220b00601000604d00200220b00601400604d00200220b006017006157", "0x20b00603700644b00200220b00602f0060fa00200220b006016006047002", "0x160023d500620b00600600612c0023d400620b00600200600c0023d3006", "0x20b00603300612b0023d700620b00600900615d0023d600620b006030006", "0x90023d93d83d73d63d53d400f0063d900620b0063d300644c0023d8006", "0x15400200220b00600f00604d00200220b0060c400614e00200220b006002", "0x200220b00601400604d00200220b00601700615700200220b006019006", "0x620b00602c00644b00200220b00601600604700200220b00601000604d", "0x60160023dc00620b00600600612c0023db00620b00600200600c0023da", "0x620b00605400612b0023de00620b00600900615d0023dd00620b006065", "0x211e0023e03df3de3dd3dc3db00f0063e000620b0063da00644c0023df", "0x201500620b00600700612b00201400620b00600600601600200220b006", "0x648601700620b0070100060ea00201000f01600920b006015014007383", "0x601900636000201900620b0060170060ec00200220b00600200900201b", "0x202900620b00601600601600200220b00601c0060fa0020c401c00720b", "0x600211b05406500920b00602a0290071bd00202a00620b00600f00612b", "0x20b00600200900202c00648702b00620b00711b0060ea00200220b006002", "0xfa00202f02e00720b00602d00636000202d00620b00602b0060ec002002", "0x620b0060300061bf00203000620b0060c400636100200220b00602e006", "0x636100200220b00604800604d00203904800720b006033006130002033", "0x720b00611e00613000211e00620b0060350061bf00203500620b00602f", "0x61b200210d00620b0060390061b200200220b00603700604d002120037", "0x20b00603c00604b00203c00620b00603a10d0071c100203a00620b006120", "0x2a00200220b00600200900212400648800220b00703c0061c500203c006", "0x620b00603e00602c00203e00620b00607d00602e00207d00620b006002", "0x220b0061240060f200200220b00600200900200248900600202d00212a", "0x612b00602c00212b00620b00612c00602b00212c00620b00600202a002", "0x204100620b00604100602c00204100620b00612a00602f00212a00620b", "0x4300603300200220b00600200900212d00648a04300620b007041006030", "0x48b00220b0070450061c500204500c00720b00600c00635a00200220b006", "0x4b04d13013104701420b00600900637100200220b00600200900212e006", "0x5800620b00606500601600205305100720b00604d0063dd00213204f04e", "0x580093df00213400620b0060530063de00213600620b00605400612b002", "0x213500648c05b00620b00713300615100213305612f00920b006134136", "0x720b00605d00613000205d00620b00605b00615200200220b006002009", "0x6100613000206100620b0060020ef00200220b00613700604d00205f137", "0x13900620b00605f0061b200200220b00613800604d00206413800720b006", "0x604b00213b00620b0060671390071c100206700620b0060640061b2002", "0x20b00600200900206900648d00220b00713b0061c500213b00620b00613b", "0x6c00602c00206c00620b00606a00602e00206a00620b00600202a002002", "0x690060f200200220b00600200900200248e00600202d00213c00620b006", "0x2c00213f00620b00606f00602b00206f00620b00600202a00200220b006", "0x20b00607100602c00207100620b00613c00602f00213c00620b00613f006", "0x200220b00600200900214500648f14100620b007071006030002071006", "0x4b05113013104701412a00200220b00614100603300200220b00600211e", "0x605600612b00207600620b00612f00601600207500620b00613204f04e", "0x200900200249000600202d00207900620b00607500604100207700620b", "0xc00604d00200220b00614500603300200220b00600211e00200220b006", "0x639700200220b00604f00639600200220b00613200620c00200220b006", "0x39a00200220b00605100639900200220b00604b00639800200220b00604e", "0x200220b00604700639500200220b00613100639b00200220b006130006", "0x620b00614b00604b00214b00620b0060023e100214600620b006002131", "0x705d00214a00620b00600213500207b00620b00614b14600705b00214b", "0x20b00600200600c0020c700620b00607f00644b00207f00620b00607b14a", "0x44c00214e00620b00605600612b00215200620b00612f006016002151006", "0x11e00200220b00600200900214f14e15215100c00614f00620b0060c7006", "0x39600200220b00613200620c00200220b00600c00604d00200220b006002", "0x200220b00604b00639800200220b00604e00639700200220b00604f006", "0x220b00613100639b00200220b00613000639a00200220b006051006399", "0x600200600c00208300620b00613500644b00200220b006047006395002", "0x215e00620b00605600612b00215000620b00612f00601600208500620b", "0x200220b00600200900216115e15008500c00616100620b00608300644c", "0x7600620b00606500601600200220b00612e0060f200200220b00600211e", "0x7900637100207900620b00600900604100207700620b00605400612b002", "0x8a15700720b00615c0063fb00215408716215c16315d15f16001420b006", "0x7700612b00216b00620b00607600601600208e00620b00600200600c002", "0x616c0d016b08e00c3fd00216c00620b00608a0063fc0020d000620b006", "0x200900216d00649109200620b0070ed0060c80020ed16816e15b00c20b", "0x17309400920b0061710063fe00217100620b0060920060c900200220b006", "0x615b00600c00200220b00609600604d00200220b00617300604d002096", "0x209d00620b00616800612b00217a00620b00616e00601600209b00620b", "0x990d117500c20b00617c09d17a09b00c3ff00217c00620b00609400621b", "0x40100200220b0060020090020a00064920cc00620b007176006400002176", "0x20b00600202a00217e0a200720b00617d00640200217d00620b0060cc006", "0x20d20cd00720b00617f00640200217f00620b0060a40064030020a4006", "0x20b0060d200643d00218000620b00617e00643d00200220b0060cd00643c", "0x4930ab00620b0070a80060300020a800620b0060ce18000721a0020ce006", "0x20b00600243e00200220b0060ab00603300200220b006002009002181006", "0xcf00943f0020c900620b0060020ef0020c800620b0060020ef0020cf006", "0x20b0060d100601600218e00620b00617500600c0020ca00620b0060c90c8", "0xc60020ba00620b0061570063fc0020b900620b00609900612b0020b7006", "0xb30c60cb00c20b0060bb0ba0b90b718e0164400020bb00620b0060ca006", "0x44200200220b00600200900218f0064940bd00620b0070b50064410020b5", "0x20b0060a200640200200220b0060bf0060330020bf0be00720b0060bd006", "0x64430020c300620b00600202a00200220b0060c100643c0021900c1007", "0x20b00619c00643c0020d419c00720b00619b00640200219b00620b0060c3", "0x640200200220b00619d00643c0021a019d00720b006190006402002002", "0x620b0061a000643d00200220b0060d600643c00219f0d600720b0060d4", "0x2f0020d700620b0061a10d90074440021a100620b00619f00643d0020d9", "0x615f0063d60021a316000720b0061600063d50020db00620b0060d7006", "0x720b0061630063d80021a515d00720b00615d0063d70021a415f00720b", "0x1b216200720b0061620063da0021a60be00720b0060be0063d90020df163", "0x12a0021ae15400720b0061540063dc0021ad08700720b0060870063db002", "0x220b0061b40060470021b400620b0061ae1ad1b21a60df1a51a41a3014", "0x20e70064950e500620b0070db0060300020db00620b0060db00602c002", "0xbe16315d15f16001412a00200220b0060e500603300200220b006002009", "0x60c60060160021ba00620b0060cb00600c0021b800620b006154087162", "0x20ec00620b0061b80060410020ea00620b0060b300612b0021bd00620b", "0x12a00200220b0060e700603300200220b00600200900200249600600202d", "0xef00620b0060024450021bf00620b0061540871620be16315d15f160014", "0xb300612b0021ca00620b0060c60060160021c800620b0060cb00600c002", "0x1d600620b0060ef0064460020f800620b0061bf0060410021d400620b006", "0x70f400617d0020f40f21c51c100c20b0061d60f81d41ca1c8016447002", "0x1ef00720b0061eb0061f600200220b0060020090020fa0064971eb00620b", "0x1c50060160021ba00620b0061c100600c00200220b0060fc0060330020fc", "0xec00620b0061ef0060410020ea00620b0060f200612b0021bd00620b006", "0xea0064490021f600620b0061bd0064480020fe00620b0061ba00636e002", "0x900200249800600202d0021f800620b0060ec00644a00210000620b006", "0x21f900620b0060fa00644b00200220b00600c00604d00200220b006002", "0x60f200612b00210300620b0061c50060160022f600620b0061c100600c", "0x20090021ff1fb1032f600c0061ff00620b0061f900644c0021fb00620b", "0x639600200220b00615400620c00200220b00600c00604d00200220b006", "0x39900200220b0060a200643c00200220b00616200639700200220b006087", "0x200220b00615f00639b00200220b00615d00639a00200220b006163006", "0x20b0060cb00600c00220600620b00618f00644b00200220b006160006395", "0x44c00230400620b0060b300612b00230000620b0060c6006016002000006", "0x3300200220b00600200900230530430000000c00630500620b006206006", "0x15716315d15f16001412a00200220b0060a200643c00200220b006181006", "0x60d10060160020fe00620b00617500600c00230700620b006154087162", "0x21f800620b00630700604100210000620b00609900612b0021f600620b", "0x620b00600206500231030f30e30c30b30a30930801420b0061f8006371", "0x644d00231600620b00610000612b00231500620b0061f6006016002311", "0x31931731631500c21900231900620b00631100611b00231700620b006310", "0x200900231b00649931a00620b00731400644e00231431331200920b006", "0x200220b00632000603300232031c00720b00631a00644f00200220b006", "0x20b00631300612b00232900620b00631200601600232100620b006002065", "0x45100232c00620b00632100611b00232b00620b00630f00645000232a006", "0x49a32d00620b00732800645200232832632200920b00632c32b32a32900c", "0x603300221233200720b00632d00645300200220b006002009002331006", "0x233300620b00631c33230e30c30b30a30930801412a00200220b006212", "0x20b00632200601600233d33b21133933733633533401420b006333006371", "0x35a00234500620b0063360063d300221000620b00632600612b002343006", "0x21034300c49b00234600620b00634600604b00234600c00720b00600c006", "0x3350063d000233400620b0063340063e300234234033f00920b006346345", "0x33700620b0063370063de00233d00620b00633d00644d00233500620b006", "0x33b00645000221100620b00621100637300233900620b0063390063fc002", "0x20b00600200900234800649d34700620b00734200649c00233b00620b006", "0x621600200220b00634a00603300234a34900720b00634700649e002002", "0x34c00620b00633d33b21133933734933533401412a00234b00620b00600c", "0x34000612b00235200620b00633f00601600235100620b0060fe00600c002", "0x35400620b00634b00649f00220f00620b00634c00604100235300620b006", "0x735000617d00235034f34e34d00c20b00635420f3533523510164a0002", "0x35700720b0063550061f600200220b0060020090023560064a135500620b", "0x35b35700748400235b00620b00600202a00200220b00635a00603300235a", "0x36100620b00634d00600c00236000620b00635c00648500235c00620b006", "0x36000644c00236600620b00634f00612b00236500620b00634e006016002", "0x35600644b00200220b00600200900236836636536100c00636800620b006", "0x36f00620b00634e00601600236e00620b00634d00600c00236900620b006", "0x36f36e00c00637200620b00636900644c00237100620b00634f00612b002", "0x633d00620c00200220b00633400639500200220b006002009002372371", "0x33900639800200220b00621100639700200220b00633b00639600200220b", "0x639b00200220b00600c00604d00200220b00633700639900200220b006", "0x37400620b0060fe00600c00237300620b00634800644b00200220b006335", "0x37300644c00237800620b00634000612b00220e00620b00633f006016002", "0xc00604d00200220b00600200900237937820e37400c00637900620b006", "0x639700200220b00630800639500200220b00631c00620c00200220b006", "0x39a00200220b00630b00639900200220b00630c00639800200220b00630e", "0x37a00620b00633100644b00200220b00630900639b00200220b00630a006", "0x32600612b00237c00620b00632200601600237b00620b0060fe00600c002", "0x900237e37d37c37b00c00637e00620b00637a00644c00237d00620b006", "0x4d00200220b00630900639b00200220b00630a00639a00200220b006002", "0x200220b00630e00639700200220b00630800639500200220b00600c006", "0x220b00630f00639600200220b00630b00639900200220b00630c006398", "0x31200601600238000620b0060fe00600c00237f00620b00631b00644b002", "0x38300620b00637f00644c00238200620b00631300612b00238100620b006", "0x200220b00615f00639b00200220b00600200900238338238138000c006", "0x220b00600c00604d00200220b00615d00639a00200220b006160006395", "0x20b00616200639700200220b00608700639600200220b00615400620c002", "0x60a000644b00200220b00615700639800200220b006163006399002002", "0x238900620b0060d100601600238800620b00617500600c00238500620b", "0x38a38938800c00620d00620b00638500644c00238a00620b00609900612b", "0x20b00616000639500200220b00615f00639b00200220b00600200900220d", "0x615400620c00200220b00600c00604d00200220b00615d00639a002002", "0x15700639800200220b00616200639700200220b00608700639600200220b", "0xc00238b00620b00616d00644b00200220b00616300639900200220b006", "0x20b00616800612b00238d00620b00616e00601600238c00620b00615b006", "0x600200900238f38e38d38c00c00638f00620b00638b00644c00238e006", "0x600c00604d00200220b00612d00603300200220b00600211e00200220b", "0x60023cc00239100620b00600213100200220b00600900604700200220b", "0x39500620b00639239100705b00239200620b00639200604b00239200620b", "0x39600644b00239600620b00639520c00705d00220c00620b006002135002", "0x39900620b00606500601600239800620b00600200600c00239700620b006", "0x39939800c00639b00620b00639700644c00239a00620b00605400612b002", "0x20b00600c00604d00200220b00600211e00200220b00600200900239b39a", "0x602c00644b00200220b0060c40060fa00200220b006009006047002002", "0x239e00620b00606500601600239d00620b00600200600c00239c00620b", "0x39f39e39d00c0063a000620b00639c00644c00239f00620b00605400612b", "0x20b00600c00604d00200220b00600900604700200220b0060020090023a0", "0x60160023a200620b00600200600c0023a100620b00601b00644b002002", "0x620b0063a100644c0023a400620b00600f00612b0023a300620b006016", "0x620b00600600601600200220b00600211e0023a53a43a33a200c0063a5", "0x1000f01600920b00601501400738300201500620b00600700612b002014", "0x60ec00200220b00600200900201b0064a201700620b0070100060ea002", "0x20b00601c0060fa0020c401c00720b00601900636000201900620b006017", "0x71bd00202a00620b00600f00612b00202900620b006016006016002002", "0x20b00711b0060ea00200220b00600200600211b05406500920b00602a029", "0x202d00620b00602b0060ec00200220b00600200900202c0064a302b006", "0x60c400636100200220b00602e0060fa00202f02e00720b00602d006360", "0x3904800720b00603300613000203300620b0060300061bf00203000620b", "0x60350061bf00203500620b00602f00636100200220b00604800604d002", "0x200220b00603700604d00212003700720b00611e00613000211e00620b", "0x3a10d0071c100203a00620b0061200061b200210d00620b0060390061b2", "0x4a400220b00703c0061c500203c00620b00603c00604b00203c00620b006", "0x607d00602e00207d00620b00600202a00200220b006002009002124006", "0x20090020024a500600202d00212a00620b00603e00602c00203e00620b", "0x602b00212c00620b00600202a00200220b0061240060f200200220b006", "0x620b00612a00602f00212a00620b00612b00602c00212b00620b00612c", "0x12d0064a604300620b00704100603000204100620b00604100602c002041", "0x720b00600900607f00200220b00604300603300200220b006002009002", "0x639500213204f04e04b04d13013104701420b00612e00637100212e045", "0x39800200220b00604d00639900200220b00613100639b00200220b006047", "0x200220b00604f00639600200220b00604e00639700200220b00604b006", "0x20b00605400612b00205600620b00606500601600200220b00613200620c", "0x5100920b0060581330560093d400205800620b0061300063d3002133006", "0x200220b0060020090021340064a713600620b00712f00615100212f053", "0x13500604d00205d13500720b00605b00613000205b00620b006136006152", "0x206105f00720b00613700613000213700620b0060020ef00200220b006", "0x20b00613800613000213800620b00605d0061b200200220b00605f00604d", "0x13000206700620b0060610061b200200220b00606400604d002139064007", "0x20b0061390061b200200220b00613b00604d00206913b00720b006067006", "0x213c00620b00606c06a0071c100206c00620b0060690061b200206a006", "0x200900206f0064a800220b00713c0061c500213c00620b00613c00604b", "0x2c00207100620b00613f00602e00213f00620b00600202a00200220b006", "0xf200200220b0060020090020024a900600202d00214100620b006071006", "0x7500620b00614500602b00214500620b00600202a00200220b00606f006", "0x7600602c00207600620b00614100602f00214100620b00607500602c002", "0x7700620b00607700602c00207700620b00607600602f00207600620b006", "0x211e00200220b0060020090021460064aa07900620b007077006030002", "0x14a07b14b01420b00604500637100200220b00607900603300200220b006", "0x20b00600200600c00208314f00720b0060c70063fb00214e1521510c707f", "0x3fc00215d00620b00605300612b00215f00620b006051006016002160006", "0x16115e15008500c20b00616315d15f16000c3fd00216300620b006083006", "0x60c900200220b0060020090021620064ab15c00620b0071610060c8002", "0x615700604d00208a15715400920b0060870063fe00208700620b00615c", "0x601600208e00620b00608500600c00200220b00608a00604d00200220b", "0x620b00615400621b0020d000620b00615e00612b00216b00620b006150", "0x70ed0064000020ed16816e15b00c20b00616c0d016b08e00c3ff00216c", "0x17100620b00609200640100200220b00600200900216d0064ac09200620b", "0x9600640300209600620b00600202a00217309400720b006171006402002", "0x220b0060d100643c0020990d100720b00617500640200217500620b006", "0x9b00721a00217a00620b00609900643d00209b00620b00617300643d002", "0x600200900217c0064ad09d00620b00717600603000217600620b00617a", "0x60020ef0020cc00620b00600243e00200220b00609d00603300200220b", "0xa200620b00617d0a00cc00943f00217d00620b0060020ef0020a000620b", "0x16800612b0020a800620b00616e0060160020d200620b00615b00600c002", "0xab00620b0060a20060c60020ce00620b00614f0063fc00218000620b006", "0x70cd0064410020cd17f0a417e00c20b0060ab0ce1800a80d2016440002", "0xc800720b00618100644200200220b0060020090020cf0064ae18100620b", "0x643c0020cb0ca00720b00609400640200200220b0060c90060330020c9", "0x20b300620b0060c60064430020c600620b00600202a00200220b0060ca", "0x60cb00640200200220b0060b500643c00218e0b500720b0060b3006402", "0xbb0ba00720b00618e00640200200220b0060b700643c0020b90b700720b", "0x60bb00643d00218f00620b0060b900643d00200220b0060ba00643c002", "0xbf00620b0060bd00602f0020bd00620b0060be18f0074440020be00620b", "0x3d700219007b00720b00607b0063d60020c114b00720b00614b0063d5002", "0xc80063d900219b07f00720b00607f0063d80020c314a00720b00614a006", "0x20b0061520063db0020d415100720b0061510063da00219c0c800720b006", "0x19c19b0c31900c101412a0021a014e00720b00614e0063dc00219d152007", "0x20b0060bf00602c00200220b0060d60060470020d600620b0061a019d0d4", "0x200220b0060020090020d70064af19f00620b0070bf0060300020bf006", "0x620b00614e1521510c807f14a07b14b01412a00200220b00619f006033", "0x612b0020db00620b0060a40060160021a100620b00617e00600c0020d9", "0x20024b000600202d0021a400620b0060d90060410021a300620b00617f", "0xc807f14a07b14b01412a00200220b0060d700603300200220b006002009", "0x20b00617e00600c0020df00620b0060024450021a500620b00614e152151", "0x410020e700620b00617f00612b0020e500620b0060a40060160021b4006", "0xe70e51b40164470021ba00620b0060df0064460021b800620b0061a5006", "0xea0064b11bd00620b0071ae00617d0021ae1ad1b21a600c20b0061ba1b8", "0x61bf0060330021bf0ec00720b0061bd0061f600200220b006002009002", "0x12b0020db00620b0061b20060160021a100620b0061a600600c00200220b", "0x20b0061a100636e0021a400620b0060ec0060410021a300620b0061ad006", "0x44a0021c500620b0061a30064490021c100620b0060db0064480020ef006", "0x4d00200220b0060020090020024b200600202d0020f200620b0061a4006", "0x620b0061a600600c0020f400620b0060ea00644b00200220b00600c006", "0x644c0021d400620b0061ad00612b0021ca00620b0061b20060160021c8", "0x604d00200220b0060020090020f81d41ca1c800c0060f800620b0060f4", "0x39700200220b00615200639600200220b00614e00620c00200220b00600c", "0x200220b00607f00639900200220b00609400643c00200220b006151006", "0x220b00614b00639500200220b00607b00639b00200220b00614a00639a", "0xa40060160021eb00620b00617e00600c0021d600620b0060cf00644b002", "0xfc00620b0061d600644c0021ef00620b00617f00612b0020fa00620b006", "0x200220b00617c00603300200220b0060020090020fc1ef0fa1eb00c006", "0x620b00614e15215114f07f14a07b14b01412a00200220b00609400643c", "0x612b0021c100620b00616e0060160020ef00620b00615b00600c0020fe", "0x1420b0060f20063710020f200620b0060fe0060410021c500620b006168", "0x61c100601600220600620b0060020650021ff1fb1032f61f91f81001f6", "0x230800620b0061ff00644d00230700620b0061c500612b00230500620b", "0x30430000000920b00630930830730500c21900230900620b00620600611b", "0x644f00200220b00600200900230b0064b330a00620b00730400644e002", "0x30f00620b00600206500200220b00630e00603300230e30c00720b00630a", "0x1fb00645000231400620b00630000612b00231300620b006000006016002", "0x631631531431300c45100231600620b00630f00611b00231500620b006", "0x60020090023190064b431700620b00731200645200231231131000920b", "0x12a00200220b00631b00603300231b31a00720b00631700645300200220b", "0x1420b00631c00637100231c00620b00630c31a1032f61f91f81001f6014", "0x31100612b00233200620b00631000601600232b32a329328326322321320", "0xc00720b00600c00635a00233300620b0063260063de00221200620b006", "0x32c00920b00633433321233200c4b500233400620b00633400604b002334", "0x3d300232100620b0063210063d000232000620b0063200063e300233132d", "0x20b0063280063fc00232b00620b00632b00644d00232200620b006322006", "0x4b600232a00620b00632a00645000232900620b006329006373002328006", "0x63350064b800200220b0060020090023360064b733500620b007331006", "0x221100620b00600c0064b900200220b00633900603300233933700720b", "0x20b0060ef00600c00233b00620b00632b32a32932833732232132001412a", "0x4100234500620b00632d00612b00221000620b00632c006016002343006", "0x3452103430164bb00234700620b0062110064ba00234600620b00633b006", "0x3490064bc34800620b00734200617d00234234033f33d00c20b006347346", "0x634b00603300234b34a00720b0063480061f600200220b006002009002", "0x48500234d00620b00634c34a00748400234c00620b00600202a00200220b", "0x20b00633f00601600234f00620b00633d00600c00234e00620b00634d006", "0xc00635200620b00634e00644c00235100620b00634000612b002350006", "0xc00235300620b00634900644b00200220b00600200900235235135034f", "0x20b00634000612b00235400620b00633f00601600220f00620b00633d006", "0x600200900235635535420f00c00635600620b00635300644c002355006", "0x32a00639600200220b00632b00620c00200220b00632000639500200220b", "0x604d00200220b00632800639800200220b00632900639700200220b006", "0x44b00200220b00632100639b00200220b00632200639a00200220b00600c", "0x20b00632c00601600235a00620b0060ef00600c00235700620b006336006", "0xc00636000620b00635700644c00235c00620b00632d00612b00235b006", "0x620c00200220b00600c00604d00200220b00600200900236035c35b35a", "0x39800200220b00610300639700200220b0061f600639500200220b00630c", "0x200220b0061f800639a00200220b0061f900639900200220b0062f6006", "0x20b0060ef00600c00236100620b00631900644b00200220b00610000639b", "0x44c00236800620b00631100612b00236600620b006310006016002365006", "0x39a00200220b00600200900236936836636500c00636900620b006361006", "0x200220b00600c00604d00200220b00610000639b00200220b0061f8006", "0x220b0062f600639800200220b00610300639700200220b0061f6006395", "0x20b00630b00644b00200220b0061fb00639600200220b0061f9006399002", "0x12b00237100620b00600000601600236f00620b0060ef00600c00236e006", "0x37337237136f00c00637300620b00636e00644c00237200620b006300006", "0x220b00614b00639500200220b00607b00639b00200220b006002009002", "0x20b00614e00620c00200220b00600c00604d00200220b00614a00639a002", "0x607f00639900200220b00615100639700200220b006152006396002002", "0x600c00237400620b00616d00644b00200220b00614f00639800200220b", "0x620b00616800612b00237800620b00616e00601600220e00620b00615b", "0x20b00600200900237a37937820e00c00637a00620b00637400644c002379", "0x614a00639a00200220b00614b00639500200220b00607b00639b002002", "0x15200639600200220b00614e00620c00200220b00600c00604d00200220b", "0x639900200220b00614f00639800200220b00615100639700200220b006", "0x37c00620b00608500600c00237b00620b00616200644b00200220b00607f", "0x37b00644c00237e00620b00615e00612b00237d00620b006150006016002", "0x600211e00200220b00600200900237f37e37d37c00c00637f00620b006", "0x4500604700200220b00600c00604d00200220b00614600603300200220b", "0x604b00238100620b0060024bd00238000620b00600213100200220b006", "0x620b00600213500238200620b00638138000705b00238100620b006381", "0xc00238800620b00638500644b00238500620b00638238300705d002383", "0x20b00605300612b00238a00620b00605100601600238900620b006002006", "0x600200900238b20d38a38900c00638b00620b00638800644c00220d006", "0x604500604700200220b00600c00604d00200220b00600211e00200220b", "0x1600238d00620b00600200600c00238c00620b00613400644b00200220b", "0x20b00638c00644c00238f00620b00605300612b00238e00620b006051006", "0x220b00600211e00200220b00600200900239138f38e38d00c006391006", "0x20b00600900604700200220b00600c00604d00200220b00612d006033002", "0x639500604b00239500620b0060023cc00239200620b006002131002002", "0x239600620b00600213500220c00620b00639539200705b00239500620b", "0x200600c00239800620b00639700644b00239700620b00620c39600705d", "0x39b00620b00605400612b00239a00620b00606500601600239900620b006", "0x220b00600200900239c39b39a39900c00639c00620b00639800644c002", "0x220b00600900604700200220b00600c00604d00200220b00600211e002", "0x600200600c00239d00620b00602c00644b00200220b0060c40060fa002", "0x23a000620b00605400612b00239f00620b00606500601600239e00620b", "0x200220b0060020090023a13a039f39e00c0063a100620b00639d00644c", "0x620b00601b00644b00200220b00600900604700200220b00600c00604d", "0x612b0023a400620b0060160060160023a300620b00600200600c0023a2", "0x23a63a53a43a300c0063a600620b0063a200644c0023a500620b00600f", "0x620b00600700612b00201400620b00600600601600200220b00600211e", "0x1700620b0070100060ea00201000f01600920b006015014007383002015", "0x636000201900620b0060170060ec00200220b00600200900201b0064be", "0x620b00601600601600200220b00601c0060fa0020c401c00720b006019", "0x11b05406500920b00602a0290071bd00202a00620b00600f00612b002029", "0x200900202c0064bf02b00620b00711b0060ea00200220b006002006002", "0x2f02e00720b00602d00636000202d00620b00602b0060ec00200220b006", "0x60300061bf00203000620b0060c400636100200220b00602e0060fa002", "0x200220b00604800604d00203904800720b00603300613000203300620b", "0x611e00613000211e00620b0060350061bf00203500620b00602f006361", "0x210d00620b0060390061b200200220b00603700604d00212003700720b", "0x3c00604b00203c00620b00603a10d0071c100203a00620b0061200061b2", "0x220b0060020090021240064c000220b00703c0061c500203c00620b006", "0x603e00602c00203e00620b00607d00602e00207d00620b00600202a002", "0x61240060f200200220b0060020090020024c100600202d00212a00620b", "0x602c00212b00620b00612c00602b00212c00620b00600202a00200220b", "0x620b00604100602c00204100620b00612a00602f00212a00620b00612b", "0x11e00200220b00600200900212d0064c204300620b007041006030002041", "0x12e04501420b00600900637100200220b00604300603300200220b006002", "0x600200600c00213204f00720b0061300063fb00204e04b04d130131047", "0x213600620b00605400612b00205800620b00606500601600213300620b", "0x12f05305100c20b00613413605813300c3fd00213400620b0061320063fc", "0xc900200220b0060020090021350064c305b00620b0070560060c8002056", "0x6100604d00206105f13700920b00605d0063fe00205d00620b00605b006", "0x206400620b00613805f0071c100213800620b00600200000200220b006", "0x20090021390064c400220b0070640061c500206400620b00606400604b", "0x213c00620b00605300601600206c00620b00605100600c00200220b006", "0x13c06c00c3ff00213f00620b00613700621b00206f00620b00612f00612b", "0x1410064c507100620b00706a00640000206a06913b06700c20b00613f06f", "0x20b00614500640200214500620b00607100640100200220b006002009002", "0x644300207700620b00600202a00200220b00607500643c002076075007", "0x20b00614600643c00214b14600720b00607900640200207900620b006077", "0x721a00207f00620b00614b00643d00214a00620b00607600643d002002", "0x20b0060c700602c0020c700620b00607b00602f00207b00620b00607f14a", "0x200220b0060020090021520064c615100620b0070c70060300020c7006", "0x20b00613b00601600214e00620b00606700600c00200220b006151006033", "0x60020090020024c700600202d00208300620b00606900612b00214f006", "0xc00604d00200220b00604500639500200220b00615200603300200220b", "0x639700200220b00604b00639600200220b00604e00620c00200220b006", "0x39a00200220b00613100639900200220b00604f00639800200220b00604d", "0x208500620b00600213100200220b00612e00639b00200220b006047006", "0x615008500705b00215000620b00615000604b00215000620b0060024c8", "0x216000620b00615e16100705d00216100620b00600213500215e00620b", "0x613b00601600215d00620b00606700600c00215f00620b00616000644b", "0x616200620b00615f00644c00215c00620b00606900612b00216300620b", "0x4d00200220b00604500639500200220b00600200900216215c16315d00c", "0x200220b00604b00639600200220b00604e00620c00200220b00600c006", "0x220b00613100639900200220b00604f00639800200220b00604d006397", "0x20b00614100644b00200220b00612e00639b00200220b00604700639a002", "0x12b00215700620b00613b00601600215400620b00606700600c002087006", "0x15b08a15715400c00615b00620b00608700644c00208a00620b006069006", "0x220b00613700634900200220b0061390060f200200220b006002009002", "0x12f00612b00214f00620b00605300601600214e00620b00605100600c002", "0x216e00620b00604e04b04d04f13104712e04501412a00208300620b006", "0x20b0060d00063fb00216d09216c0d016b08e0ed16801420b00616e006371", "0x217600620b00614f00644800209900620b00614e00636e002094171007", "0x17609900c3fd00217a00620b0060940063fc00209b00620b006083006449", "0x63d000216800620b0061680063e30020d117509617300c20b00617a09b", "0x620b00616b0063de00208e00620b00608e0063d30020ed00620b0060ed", "0x645000216c00620b00616c00637300216d00620b00616d00644d00216b", "0x620b0070d10060c800217100620b0061710063fc00209200620b006092", "0x3fe0020cc00620b00609d0060c900200220b00600200900217c0064c909d", "0x60a200604d00200220b00617d00604d0020a217d0a000920b0060cc006", "0x12b0020a800620b0060960060160020d200620b00617300600c00200220b", "0x1800a80d200c3ff0020ce00620b0060a000621b00218000620b006175006", "0x21810064ca0ab00620b0070cd0064000020cd17f0a417e00c20b0060ce", "0x720b0060cf0064020020cf00620b0060ab00640100200220b006002009", "0x64020020cb00620b0060ca0064030020ca00620b00600202a0020c90c8", "0x620b0060c900643d00200220b0060c600643c0020b30c600720b0060cb", "0x300020b500620b0060b718e00721a0020b700620b0060b300643d00218e", "0x60b900603300200220b0060020090020ba0064cb0b900620b0070b5006", "0x60020ef0020bd00620b0060020ef0020bb00620b00600243e00200220b", "0x620b00617e00600c0020be00620b00618f0bd0bb00943f00218f00620b", "0x63fc0020d400620b00617f00612b00219c00620b0060a400601600219b", "0x19d0d419c19b0164400021a000620b0060be0060c600219d00620b006171", "0x219f0064cc0d600620b0070c30064410020c31900c10bf00c20b0061a0", "0x20b0060d90060330020d90d700720b0060d600644200200220b006002009", "0x202a00200220b0061a100643c0020db1a100720b0060c8006402002002", "0x1a500720b0061a40064020021a400620b0061a30064430021a300620b006", "0x643c0021b21a600720b0060db00640200200220b0061a500643c0020df", "0x220b0061ad00643c0021ae1ad00720b0060df00640200200220b0061a6", "0xe50074440020e700620b0061ae00643d0020e500620b0061b200643d002", "0x720b0061680063d50021b800620b0061b400602f0021b400620b0060e7", "0xea08e00720b00608e0063d70021bd0ed00720b0060ed0063d60021ba168", "0x3da0021bf0d700720b0060d70063d90020ec16b00720b00616b0063d8002", "0x16d0063dc0021c109200720b0060920063db0020ef16c00720b00616c006", "0xf200620b0061c51c10ef1bf0ec0ea1bd1ba01412a0021c516d00720b006", "0x71b80060300021b800620b0061b800602c00200220b0060f2006047002", "0x200220b0060f400603300200220b0060020090021c80064cd0f400620b", "0x20b0060bf00600c0021ca00620b00616d09216c0d716b08e0ed16801412a", "0x410021d600620b00619000612b0020f800620b0060c10060160021d4006", "0x3300200220b0060020090020024ce00600202d0021eb00620b0061ca006", "0xfa00620b00616d09216c0d716b08e0ed16801412a00200220b0061c8006", "0x60c10060160021f800620b0060bf00600c0021ef00620b006002445002", "0x210300620b0060fa0060410022f600620b00619000612b0021f900620b", "0xfe0fc00c20b0061fb1032f61f91f80164470021fb00620b0061ef006446", "0x200220b0060020090022060064cf1ff00620b00710000617d0021001f6", "0x60fc00600c00200220b00630000603300230000000720b0061ff0061f6", "0x21d600620b0061f600612b0020f800620b0060fe0060160021d400620b", "0x60f800644800230400620b0061d400636e0021eb00620b006000006041", "0x230800620b0061eb00644a00230700620b0061d600644900230500620b", "0x44b00200220b00600c00604d00200220b0060020090020024d000600202d", "0x20b0060fe00601600230a00620b0060fc00600c00230900620b006206006", "0xc00630e00620b00630900644c00230c00620b0061f600612b00230b006", "0x620c00200220b00600c00604d00200220b00600200900230e30c30b30a", "0x43c00200220b00616c00639700200220b00609200639600200220b00616d", "0x200220b00608e00639a00200220b00616b00639900200220b0060c8006", "0x620b00619f00644b00200220b00616800639500200220b0060ed00639b", "0x612b00231100620b0060c100601600231000620b0060bf00600c00230f", "0x231331231131000c00631300620b00630f00644c00231200620b006190", "0x200220b0060c800643c00200220b0060ba00603300200220b006002009", "0x20b00617e00600c00231400620b00616d09216c17116b08e0ed16801412a", "0x4100230700620b00617f00612b00230500620b0060a4006016002304006", "0x20b00630700612b00231900620b00630500601600230800620b006314006", "0x620b00731700636600231731631500920b00631a31900736500231a006", "0x4d200232000620b00631b00636800200220b00600200900231c0064d131b", "0x620b00632000621b00232800620b00630400600c00232100620b006002", "0x32632200720b00632a3293280094d300232a00620b00632100621b002329", "0x636800200220b00600200900232c0064d432b00620b007326006366002", "0x32d00720b00632d00635b00233100620b0060023f700232d00620b00632b", "0x33300620b00621233133200943f00221200c00720b00600c00635a002332", "0x632200600c00233d33b21133933733633533401420b006308006371002", "0x234600620b00631600612b00234500620b00631500601600221000620b", "0x34521001644000234800620b0063330060c600234700620b0063390063fc", "0x64d534900620b00734300644100234334234033f00c20b006348347346", "0x34c00603300234c34b00720b00634900644200200220b00600200900234a", "0x34b33733633533401412a00234d00620b00600c32d0074d600200220b006", "0x634000601600235300620b00633f00600c00234e00620b00633d33b211", "0x235500620b00634e00604100235400620b00634200612b00220f00620b", "0x35034f00c20b00635635535420f3530164d800235600620b00634d0064d7", "0x200220b00600200900235a0064d935700620b00735200617d002352351", "0x20b00600202a00200220b00635c00603300235c35b00720b0063570061f6", "0x236500620b00636100648500236100620b00636035b007484002360006", "0x635100612b00236800620b00635000601600236600620b00634f00600c", "0x200900236e36936836600c00636e00620b00636500644c00236900620b", "0x237100620b00634f00600c00236f00620b00635a00644b00200220b006", "0x636f00644c00237300620b00635100612b00237200620b006350006016", "0x633400639500200220b00600200900237437337237100c00637400620b", "0x21100639700200220b00633b00639600200220b00633d00620c00200220b", "0x639a00200220b00633700639900200220b00632d00634900200220b006", "0x44b00200220b00600c00604d00200220b00633500639b00200220b006336", "0x20b00634000601600237800620b00633f00600c00220e00620b00634a006", "0xc00637b00620b00620e00644c00237a00620b00634200612b002379006", "0x604700200220b00600c00604d00200220b00600200900237b37a379378", "0x37d00620b00632200600c00237c00620b00632c00644b00200220b006308", "0x37c00644c00237f00620b00631600612b00237e00620b006315006016002", "0x30800604700200220b00600200900238037f37e37d00c00638000620b006", "0xc00238100620b00631c00644b00200220b00600c00604d00200220b006", "0x20b00631600612b00238300620b00631500601600238200620b006304006", "0x600200900238838538338200c00638800620b00638100644c002385006", "0xc00604d00200220b0060ed00639b00200220b00616800639500200220b", "0x639600200220b00616d00620c00200220b00608e00639a00200220b006", "0x39800200220b00616b00639900200220b00616c00639700200220b006092", "0x620b00617e00600c00238900620b00618100644b00200220b006171006", "0x644c00238b00620b00617f00612b00220d00620b0060a400601600238a", "0x639500200220b00600200900238c38b20d38a00c00638c00620b006389", "0x39a00200220b00600c00604d00200220b0060ed00639b00200220b006168", "0x200220b00609200639600200220b00616d00620c00200220b00608e006", "0x220b00616b00639900200220b00617100639800200220b00616c006397", "0x9600601600238e00620b00617300600c00238d00620b00617c00644b002", "0x39200620b00638d00644c00239100620b00617500612b00238f00620b006", "0x200220b00604500639500200220b00600200900239239138f38e00c006", "0x220b00604700639a00200220b00600c00604d00200220b00612e00639b", "0x20b00604d00639700200220b00604b00639600200220b00604e00620c002", "0x613500644b00200220b00613100639900200220b00604f006398002002", "0x239600620b00605300601600220c00620b00605100600c00239500620b", "0x39739620c00c00639800620b00639500644c00239700620b00612f00612b", "0x220b00612d00603300200220b00600211e00200220b006002009002398", "0x620b00600213100200220b00600900604700200220b00600c00604d002", "0x39900705b00239a00620b00639a00604b00239a00620b0060023cc002399", "0x620b00639b39c00705d00239c00620b00600213500239b00620b00639a", "0x601600239f00620b00600200600c00239e00620b00639d00644b00239d", "0x620b00639e00644c0023a100620b00605400612b0023a000620b006065", "0x200220b00600211e00200220b0060020090023a23a13a039f00c0063a2", "0x220b0060c40060fa00200220b00600900604700200220b00600c00604d", "0x650060160023a400620b00600200600c0023a300620b00602c00644b002", "0x3a700620b0063a300644c0023a600620b00605400612b0023a500620b006", "0x200220b00600c00604d00200220b0060020090023a73a63a53a400c006", "0x20b00600200600c0023a800620b00601b00644b00200220b006009006047", "0x44c0023ab00620b00600f00612b0023aa00620b0060160060160023a9006", "0x1600200220b00600211e0023ac3ab3aa3a900c0063ac00620b0063a8006", "0x601501400738300201500620b00600700612b00201400620b006006006", "0x600200900201b0064da01700620b0070100060ea00201000f01600920b", "0x20c401c00720b00601900636000201900620b0060170060ec00200220b", "0x20b00600f00612b00202900620b00601600601600200220b00601c0060fa", "0x200220b00600200600211b05406500920b00602a0290071bd00202a006", "0x2b0060ec00200220b00600200900202c0064db02b00620b00711b0060ea", "0x220b00602e0060fa00202f02e00720b00602d00636000202d00620b006", "0x3300613000203300620b0060300061bf00203000620b0060c4006361002", "0x3500620b00602f00636100200220b00604800604d00203904800720b006", "0x604d00212003700720b00611e00613000211e00620b0060350061bf002", "0x3a00620b0061200061b200210d00620b0060390061b200200220b006037", "0x61c500203c00620b00603c00604b00203c00620b00603a10d0071c1002", "0x7d00620b00600202a00200220b0060020090021240064dc00220b00703c", "0x600202d00212a00620b00603e00602c00203e00620b00607d00602e002", "0x20b00600202a00200220b0061240060f200200220b0060020090020024dd", "0x2f00212a00620b00612b00602c00212b00620b00612c00602b00212c006", "0x20b00704100603000204100620b00604100602c00204100620b00612a006", "0x603300200220b00600211e00200220b00600200900212d0064de043006", "0x204e04b04d13013104712e04501420b00600900637100200220b006043", "0x6500601600213300620b00600200600c00213204f00720b0061300063fb", "0x13400620b0061320063fc00213600620b00605400612b00205800620b006", "0x20b0070560060c800205612f05305100c20b00613413605813300c3fd002", "0x205d00620b00605b0060c900200220b0060020090021350064df05b006", "0x6100604d00200220b00605f00604d00206105f13700920b00605d0063fe", "0x206900620b00605300601600213b00620b00605100600c00200220b006", "0x6913b00c3ff00206c00620b00613700621b00206a00620b00612f00612b", "0x6f0064e013c00620b00706700640000206713906413800c20b00606c06a", "0x20b00613f00640200213f00620b00613c00640100200220b006002009002", "0x40200207500620b00614500640300214500620b00600202a002141071007", "0x20b00614100643d00200220b00607600643c00207707600720b006075006", "0x207900620b00614b14600721a00214b00620b00607700643d002146006", "0x7b00603300200220b00600200900214a0064e107b00620b007079006030", "0x20ef0020c700620b0060020ef00207f00620b00600243e00200220b006", "0x20b00613800600c00215200620b0061510c707f00943f00215100620b006", "0x3fc00216100620b00613900612b00215e00620b006064006016002150006", "0x16115e15001644000215f00620b0061520060c600216000620b00604f006", "0x1630064e215d00620b00708500644100208508314f14e00c20b00615f160", "0x616200603300216215c00720b00615d00644200200220b006002009002", "0x2a00200220b00608700643c00215408700720b00607100640200200220b", "0x720b00608a00640200208a00620b00615700644300215700620b006002", "0x43c0020ed16800720b00615400640200200220b00615b00643c00216e15b", "0x20b00608e00643c00216b08e00720b00616e00640200200220b006168006", "0x744400209200620b00616b00643d00216c00620b0060ed00643d002002", "0x20b0060450063d500216d00620b0060d000602f0020d000620b00609216c", "0x4700720b0060470063d700209412e00720b00612e0063d6002171045007", "0x217515c00720b00615c0063d900209613100720b0061310063d8002173", "0x63dc00209904b00720b00604b0063db0020d104d00720b00604d0063da", "0x620b0061760990d117509617309417101412a00217604e00720b00604e", "0x16d00603000216d00620b00616d00602c00200220b00609b00604700209b", "0x220b00617a00603300200220b00600200900209d0064e317a00620b007", "0x614e00600c00217c00620b00604e04b04d15c13104712e04501412a002", "0x217d00620b00608300612b0020a000620b00614f0060160020cc00620b", "0x200220b0060020090020024e400600202d0020a200620b00617c006041", "0x620b00604e04b04d15c13104712e04501412a00200220b00609d006033", "0x14f00601600218000620b00614e00600c0020a400620b00600244500217e", "0x18100620b00617e0060410020ab00620b00608300612b0020ce00620b006", "0x17f00c20b0060cf1810ab0ce1800164470020cf00620b0060a4006446002", "0x220b0060020090020c90064e50c800620b0070a800617d0020a80d20cd", "0x17f00600c00200220b0060cb0060330020cb0ca00720b0060c80061f6002", "0x17d00620b0060d200612b0020a000620b0060cd0060160020cc00620b006", "0xa00064480020c600620b0060cc00636e0020a200620b0060ca006041002", "0x18e00620b0060a200644a0020b500620b00617d0064490020b300620b006", "0x200220b00600c00604d00200220b0060020090020024e600600202d002", "0x60cd0060160020b900620b00617f00600c0020b700620b0060c900644b", "0x60bd00620b0060b700644c0020bb00620b0060d200612b0020ba00620b", "0x20c00200220b00600c00604d00200220b0060020090020bd0bb0ba0b900c", "0x200220b00604d00639700200220b00604b00639600200220b00604e006", "0x220b00604700639a00200220b00613100639900200220b00607100643c", "0x20b00616300644b00200220b00604500639500200220b00612e00639b002", "0x12b0020bf00620b00614f0060160020be00620b00614e00600c00218f006", "0x1900c10bf0be00c00619000620b00618f00644c0020c100620b006083006", "0x220b00607100643c00200220b00614a00603300200220b006002009002", "0x613800600c0020c300620b00604e04b04d04f13104712e04501412a002", "0x20b500620b00613900612b0020b300620b0060640060160020c600620b", "0x60b500612b00219d00620b0060b300601600218e00620b0060c3006041", "0x20b0070d40063660020d419c19b00920b0061a019d0073650021a000620b", "0x20d700620b0060d600636800200220b00600200900219f0064e70d6006", "0x20b0060d700621b0021a300620b0060c600600c0020d900620b0060024d2", "0x1a100720b0061a51a41a30094d30021a500620b0060d900621b0021a4006", "0x36800200220b0060020090021a60064e80df00620b0070db0063660020db", "0x720b0061b200635b0021ad00620b0060020000021b200620b0060df006", "0x620b0061b41ad1ae00943f0021b400c00720b00600c00635a0021ae1b2", "0x1a100600c0020ef1bf0ec0ea1bd1ba1b80e701420b00618e0063710020e5", "0x1d400620b00619c00612b0021ca00620b00619b0060160021c800620b006", "0x1c80164400021d600620b0060e50060c60020f800620b0060ea0063fc002", "0x4e91eb00620b0070f40064410020f40f21c51c100c20b0061d60f81d41ca", "0x60330020fc1ef00720b0061eb00644200200220b0060020090020fa006", "0x1bd1ba1b80e701412a0020fe00620b00600c1b20074ea00200220b0060fc", "0x1c500601600210300620b0061c100600c0021f600620b0060ef1bf0ec1ef", "0x20600620b0061f60060410021ff00620b0060f200612b0021fb00620b006", "0x10000c20b0060002061ff1fb10301621500200000620b0060fe0064eb002", "0x220b0060020090023040064ec30000620b0072f600617d0022f61f91f8", "0x600202a00200220b00630700603300230730500720b0063000061f6002", "0x30a00620b00630900648500230900620b00630830500748400230800620b", "0x1f900612b00230c00620b0061f800601600230b00620b00610000600c002", "0x900230f30e30c30b00c00630f00620b00630a00644c00230e00620b006", "0x31100620b00610000600c00231000620b00630400644b00200220b006002", "0x31000644c00231300620b0061f900612b00231200620b0061f8006016002", "0xe700639500200220b00600200900231431331231100c00631400620b006", "0x639700200220b0061bf00639600200220b0060ef00620c00200220b006", "0x39a00200220b0061bd00639900200220b0061b200634900200220b0060ec", "0x200220b00600c00604d00200220b0061b800639b00200220b0061ba006", "0x61c500601600231600620b0061c100600c00231500620b0060fa00644b", "0x631a00620b00631500644c00231900620b0060f200612b00231700620b", "0x4700200220b00600c00604d00200220b00600200900231a31931731600c", "0x620b0061a100600c00231b00620b0061a600644b00200220b00618e006", "0x644c00232100620b00619c00612b00232000620b00619b00601600231c", "0x604700200220b00600200900232232132031c00c00632200620b00631b", "0x232600620b00619f00644b00200220b00600c00604d00200220b00618e", "0x619c00612b00232900620b00619b00601600232800620b0060c600600c", "0x200900232b32a32932800c00632b00620b00632600644c00232a00620b", "0x604d00200220b00612e00639b00200220b00604500639500200220b006", "0x39600200220b00604e00620c00200220b00604700639a00200220b00600c", "0x200220b00613100639900200220b00604d00639700200220b00604b006", "0x20b00613800600c00232c00620b00606f00644b00200220b00604f006398", "0x44c00233200620b00613900612b00233100620b00606400601600232d006", "0x39500200220b00600200900221233233132d00c00621200620b00632c006", "0x200220b00600c00604d00200220b00612e00639b00200220b006045006", "0x220b00604b00639600200220b00604e00620c00200220b00604700639a", "0x20b00613100639900200220b00604f00639800200220b00604d006397002", "0x601600233400620b00605100600c00233300620b00613500644b002002", "0x620b00633300644c00233600620b00612f00612b00233500620b006053", "0x200220b00600211e00200220b00600200900233733633533400c006337", "0x220b00600900604700200220b00600c00604d00200220b00612d006033", "0x20b00621100604b00221100620b0060023cc00233900620b006002131002", "0x5d00233d00620b00600213500233b00620b00621133900705b002211006", "0x600200600c00234000620b00633f00644b00233f00620b00633b33d007", "0x221000620b00605400612b00234300620b00606500601600234200620b", "0x200220b00600200900234521034334200c00634500620b00634000644c", "0x200220b00600900604700200220b00600c00604d00200220b00600211e", "0x20b00600200600c00234600620b00602c00644b00200220b0060c40060fa", "0x44c00234900620b00605400612b00234800620b006065006016002347006", "0x4d00200220b00600200900234a34934834700c00634a00620b006346006", "0x34b00620b00601b00644b00200220b00600900604700200220b00600c006", "0xf00612b00234d00620b00601600601600234c00620b00600200600c002", "0x7500234f34e34d34c00c00634f00620b00634b00644c00234e00620b006", "0x11e00200220b00600213900201000620b00600207500201600620b006002", "0x1900620b00600700612b00201b00620b00600600601600200220b006002", "0x4ed01c00620b0070170060ea00201701501400920b00601901b007383002", "0x6500636000206500620b00601c0060ec00200220b0060020090020c4006", "0x2c00620b00601400601600200220b0060540060fa00211b05400720b006", "0x202b02a02900920b00602d02c0071bd00202d00620b00601500612b002", "0x600200900202f0064ee02e00620b00702b0060ea00200220b006002006", "0x204803300720b00603000636000203000620b00602e0060ec00200220b", "0x20b0060390061bf00203900620b00611b00636100200220b0060330060fa", "0x36100200220b00611e00604d00203711e00720b006035006130002035006", "0x20b00610d00613000210d00620b0061200061bf00212000620b006048006", "0x1b200212400620b0060370061b200200220b00603a00604d00203c03a007", "0x603e00604b00203e00620b00607d1240071c100207d00620b00603c006", "0x200220b00600200900212a0064ef00220b00703e0061c500203e00620b", "0x20b00612b00602c00212b00620b00612c00602e00212c00620b00600202a", "0x20b00612a0060f200200220b0060020090020024f000600202d002041006", "0x12d00602c00212d00620b00604300602b00204300620b00600202a002002", "0x4500620b00604500602c00204500620b00604100602f00204100620b006", "0x211e00200220b0060020090020470064f112e00620b007045006030002", "0x4d13013101420b00600900637100200220b00612e00603300200220b006", "0x20b00600200600c00212f05300720b00604e0063fb00205113204f04e04b", "0x3fc00213500620b00602a00612b00205b00620b006029006016002134006", "0x13605813305600c20b00605d13505b13400c3fd00205d00620b00612f006", "0x60c900200220b00600200900205f0064f213700620b0071360060c8002", "0x606400604d00200c06413800920b0060610063fe00206100620b006137", "0x12b00206c00620b00613300601600206a00620b00605600600c00200220b", "0x13c06c06a00c3ff00206f00620b00613800621b00213c00620b006058006", "0x640000200c00620b00600c01600707900206913b06713900c20b00606f", "0x20b00613f00640100200220b0060020090020710064f313f00620b007069", "0x2a00200220b00614500643c00207514500720b006141006402002141006", "0x720b00607700640200207700620b0060760064f400207600620b006002", "0x643d00207b00620b00607500643d00200220b00607900643c002146079", "0x20b00614b00602f00214b00620b00614a07b00721a00214a00620b006146", "0x64f50c700620b00707f00603000207f00620b00607f00602c00207f006", "0x4d13013101412a00200220b0060c700603300200220b006002009002151", "0x8508314f14e01420b00615200637100215200620b00605113204f05304b", "0x216200620b00606700601600215f00620b00600206500216016115e150", "0x615f00611b00215400620b00616000644d00208700620b00613b00612b", "0x14e0063e300215c16315d00920b00615715408716200c21900215700620b", "0x8300620b0060830063d300214f00620b00614f0063d000214e00620b006", "0x15e00637300215000620b0061500063fc00208500620b0060850063de002", "0x8a00620b00715c00644e00216100620b00616100645000215e00620b006", "0x3300216816e00720b00608a00644f00200220b00600200900215b0064f6", "0x16c00620b00615d0060160020ed00620b00600206500200220b006168006", "0xed00611b00216d00620b00616100645000209200620b00616300612b002", "0x64520020d016b08e00920b00617116d09216c00c45100217100620b006", "0x20b00609400645300200220b0060020090021730064f709400620b0070d0", "0x9615e15008508314f14e01412a00200220b006175006033002175096007", "0xa00cc17c09d17a09b17609901420b0060d10063710020d100620b00616e", "0x612b0020cd00620b00608e0060160020a217d00720b0061760063cf002", "0x60a80d20cd0093d10020a800620b0060a20063d00020d200620b00616b", "0x620b0060a000644d00209900620b0060990063e300217f0a417e00920b", "0x63fc00217a00620b00617a0063de00209b00620b00609b0063d30020a0", "0x620b0060cc00645000217c00620b00617c00637300209d00620b00609d", "0xce0064f818000620b00717f00615100217d00620b00617d0063d00020cc", "0x20b00617e00601600200f00620b00618000615200200220b006002009002", "0x35a0020ca00620b00617d0063d00020c900620b0060a400612b0020c8006", "0xc90c800c4540020cb00620b0060cb00604b0020cb00c00720b00600c006", "0x645500200f00620b00600f0100070790020cf1810ab00920b0060cb0ca", "0x20b0060c600645600200220b0060020090020b30064f90c600620b0070cf", "0x20b700c00720b00600c00635a00200220b00618e00603300218e0b5007", "0x20b0060a00cc17c09d17a09b0b509901412a0020b900620b0060b70064fa", "0x12b0020c100620b0060ab0060160020bf00620b00613900600c0020ba006", "0x20b0060b90064fb0020c300620b0060ba00604100219000620b006181006", "0x617d0020be18f0bd0bb00c20b00619b0c31900c10bf0164fc00219b006", "0x20b00619c0061f600200220b0060020090020d40064fd19c00620b0070be", "0xc0020d600620b00600f00647f00200220b0061a00060330021a019d007", "0x20b00618f00612b0021a300620b0060bd0060160020db00620b0060bb006", "0x4810020df00620b0060d60064800021a500620b00619d0060410021a4006", "0x620b0071a100617d0021a10d90d719f00c20b0060df1a51a41a30db016", "0x21ae1ad00720b0061a60061f600200220b0060020090021b20064fe1a6", "0x20b00619f00600c0021b400620b00600c0063ed00200220b0061ae006033", "0x410020ec00620b0060d900612b0020ea00620b0060d70060160021bd006", "0xec0ea1bd0163ef0020ef00620b0061b40063ee0021bf00620b0061ad006", "0x1c50064ff1c100620b0071ba00617d0021ba1b80e70e500c20b0060ef1bf", "0x60f40060330020f40f200720b0061c10061f600200220b006002009002", "0x60020ef0021ca00620b0060020ef0021c800620b00600243e00200220b", "0x1420b0060f20063710020f800620b0061d41ca1c800943f0021d400620b", "0xe70060160021fb00620b0060e500600c0021001f60fe0fc1ef0fa1eb1d6", "0x620b0060fc0063fc00220600620b0061b800612b0021ff00620b006", "0x1f800c20b0063000002061ff1fb01644000230000620b0060f80060c6002", "0x220b00600200900230500650030400620b0071030064410021032f61f9", "0x1d601412a00200220b00630800603300230830700720b006304006442002", "0x48400230a00620b00600202a00230900620b0061001f60fe3071ef0fa1eb", "0x61f800600c00230c00620b00630b00648500230b00620b00630a309007", "0x231000620b0062f600612b00230f00620b0061f900601600230e00620b", "0x200220b00600200900231131030f30e00c00631100620b00630c00644c", "0x220b0060fe00639700200220b0061f600639600200220b00610000620c", "0x20b0060fa00639a00200220b0061ef00639900200220b0061d6006395002", "0x1f800600c00231200620b00630500644b00200220b0061eb00639b002002", "0x31500620b0062f600612b00231400620b0061f900601600231300620b006", "0x220b00600200900231631531431300c00631600620b00631200644c002", "0xe700601600231900620b0060e500600c00231700620b0061c500644b002", "0x31c00620b00631700644c00231b00620b0061b800612b00231a00620b006", "0x200220b00600c00604d00200220b00600200900231c31b31a31900c006", "0x60d700601600232100620b00619f00600c00232000620b0061b200644b", "0x632800620b00632000644c00232600620b0060d900612b00232200620b", "0x4d00200220b00600c00604d00200220b00600200900232832632232100c", "0x620b0060bb00600c00232900620b0060d400644b00200220b00600f006", "0x644c00232c00620b00618f00612b00232b00620b0060bd00601600232a", "0x604d00200220b00600200900232d32c32b32a00c00632d00620b006329", "0x20c00200220b00609900639500200220b00600f00604d00200220b00600c", "0x200220b00617c00639700200220b0060cc00639600200220b0060a0006", "0x220b00609b00639a00200220b00617a00639900200220b00609d006398", "0xab00601600233200620b00613900600c00233100620b0060b300644b002", "0x33400620b00633100644c00233300620b00618100612b00221200620b006", "0x200220b00600c00604d00200220b00600200900233433321233200c006", "0x220b00617a00639900200220b00609b00639a00200220b006099006395", "0x20b00617c00639700200220b0060cc00639600200220b0060a000620c002", "0x601000614e00200220b00617d00639b00200220b00609d006398002002", "0x1600233600620b00613900600c00233500620b0060ce00644b00200220b", "0x20b00633500644c00233900620b0060a400612b00233700620b00617e006", "0x20b00600c00604d00200220b00600200900221133933733600c006211006", "0x614e00639500200220b00616e00620c00200220b00601000614e002002", "0x8500639900200220b00615000639800200220b00615e00639700200220b", "0x644b00200220b00614f00639b00200220b00608300639a00200220b006", "0x620b00608e00601600233d00620b00613900600c00233b00620b006173", "0x33d00c00634200620b00633b00644c00234000620b00616b00612b00233f", "0x1000614e00200220b00600c00604d00200220b00600200900234234033f", "0x639500200220b00608300639a00200220b00614f00639b00200220b006", "0x39900200220b00615000639800200220b00615e00639700200220b00614e", "0x34300620b00615b00644b00200220b00616100639600200220b006085006", "0x16300612b00234500620b00615d00601600221000620b00613900600c002", "0x900234734634521000c00634700620b00634300644c00234600620b006", "0x14e00200220b00600c00604d00200220b00615100603300200220b006002", "0x200220b00613200639600200220b00605100620c00200220b006010006", "0x220b00604b00639900200220b00605300639800200220b00604f006397", "0x20b00613100639500200220b00613000639b00200220b00604d00639a002", "0x634900604b00234900620b00600250100234800620b006002131002002", "0x234b00620b00600213500234a00620b00634934800705b00234900620b", "0x13900600c00234d00620b00634c00644b00234c00620b00634a34b00705d", "0x35000620b00613b00612b00234f00620b00606700601600234e00620b006", "0x220b00600200900235135034f34e00c00635100620b00634d00644c002", "0x20b00605100620c00200220b00601000614e00200220b00600c00604d002", "0x605300639800200220b00604f00639700200220b006132006396002002", "0x13000639b00200220b00604d00639a00200220b00604b00639900200220b", "0xc00235200620b00607100644b00200220b00613100639500200220b006", "0x20b00613b00612b00220f00620b00606700601600235300620b006139006", "0x600200900235535420f35300c00635500620b00635200644c002354006", "0x4d00639a00200220b00613000639b00200220b00601000614e00200220b", "0x639600200220b00605100620c00200220b00613100639500200220b006", "0x39900200220b00605300639800200220b00604f00639700200220b006132", "0x35600620b00605f00644b00200220b00601600614e00200220b00604b006", "0x5800612b00235a00620b00613300601600235700620b00605600600c002", "0x900235c35b35a35700c00635c00620b00635600644c00235b00620b006", "0x614e00200220b00604700603300200220b00600211e00200220b006002", "0x13100200220b00600900604700200220b00601000614e00200220b006016", "0x36100620b00636100604b00236100620b0060023cc00236000620b006002", "0x36600705d00236600620b00600213500236500620b00636136000705b002", "0x620b00600200600c00236900620b00636800644b00236800620b006365", "0x644c00237100620b00602a00612b00236f00620b00602900601600236e", "0x211e00200220b00600200900237237136f36e00c00637200620b006369", "0x604700200220b00601000614e00200220b00601600614e00200220b006", "0x237300620b00602f00644b00200220b00611b0060fa00200220b006009", "0x602a00612b00220e00620b00602900601600237400620b00600200600c", "0x200900237937820e37400c00637900620b00637300644c00237800620b", "0x604700200220b00601000614e00200220b00601600614e00200220b006", "0x37b00620b00600200600c00237a00620b0060c400644b00200220b006009", "0x37a00644c00237d00620b00601500612b00237c00620b006014006016002", "0x600601600200220b00600211e00237e37d37c37b00c00637e00620b006", "0x920b00601401000738300201400620b00600700612b00201000620b006", "0x220b00600200900201700650201500620b00700f0060ea00200f01600c", "0x60fa00201c01900720b00601b00636000201b00620b0060150060ec002", "0x2900620b00601600612b00211b00620b00600c00601600200220b006019", "0x60ea00200220b0060020060020540650c400920b00602911b0071bd002", "0x20b00602a0060ec00200220b00600200900202b00650302a00620b007054", "0x36100200220b00602d0060fa00202e02d00720b00602c00636000202c006", "0x20b00603000613000203000620b00602f0061bf00202f00620b00601c006", "0x1bf00203900620b00602e00636100200220b00603300604d002048033007", "0x611e00604d00203711e00720b00603500613000203500620b006039006", "0x1c100210d00620b0060370061b200212000620b0060480061b200200220b", "0x703a0061c500203a00620b00603a00604b00203a00620b00610d120007", "0x2e00212400620b00600202a00200220b00600200900203c00650400220b", "0x250500600202d00203e00620b00607d00602c00207d00620b006124006", "0x12a00620b00600202a00200220b00603c0060f200200220b006002009002", "0x3e00602f00203e00620b00612c00602c00212c00620b00612a00602b002", "0x4100620b00712b00603000212b00620b00612b00602c00212b00620b006", "0x604100603300200220b00600211e00200220b006002009002043006506", "0x63fb00204b04d13013104712e04512d01420b00600900637100200220b", "0x20b0060c400601600205600620b00600200600c00204f04e00720b006131", "0x3fd00213600620b00604f0063fc00205800620b00606500612b002133006", "0x13400620b00712f0060c800212f05305113200c20b00613605813305600c", "0x63fe00213500620b0061340060c900200220b00600200900205b006507", "0x20b00613200600c00200220b00613700604d00205f13705d00920b006135", "0x21b00206900620b00605300612b00213b00620b006051006016002067006", "0x13906413806100c20b00606a06913b06700c3ff00206a00620b00605d006", "0x640100200220b00600200900213c00650806c00620b007139006400002", "0x20b00613f00643c00207113f00720b00606f00640200206f00620b00606c", "0x14500640200214500620b0061410064f400214100620b00600202a002002", "0x7900620b00607100643d00200220b00607500643c00207607500720b006", "0x602f00207700620b00614607900721a00214600620b00607600643d002", "0x620b00714b00603000214b00620b00614b00602c00214b00620b006077", "0x1412a00200220b00607b00603300200220b00600200900214a00650907b", "0xc701420b00607f00637100207f00620b00604b04d13004e04712e04512d", "0x20b00613800601600215e00620b00600206500215008508314f14e152151", "0x11b00215c00620b00615000644d00216300620b00606400612b00215d006", "0x215f16016100920b00616215c16315d00c21900216200620b00615e006", "0x61520063d300215100620b0061510063d00020c700620b0060c70063e3", "0x214f00620b00614f0063fc00214e00620b00614e0063de00215200620b", "0x715f00644e00208500620b00608500645000208300620b006083006373", "0x15700720b00608700644f00200220b00600200900215400650a08700620b", "0x616100601600215b00620b00600206500200220b00608a00603300208a", "0x20d000620b00608500645000216b00620b00616000612b00208e00620b", "0xed16816e00920b00616c0d016b08e00c45100216c00620b00615b00611b", "0x645300200220b00600200900216d00650b09200620b0070ed006452002", "0x14e1521510c701412a00200220b00609400603300209417100720b006092", "0x1760990d117509601420b00617300637100217300620b00615717108314f", "0x20a200620b00616800612b00217d00620b00616e00601600209d17a09b", "0xa400604b0020a405f00720b00605f00635a00217e00620b0060d10063d3", "0x63e30020a00cc17c00920b0060a417e0a217d00c49b0020a400620b006", "0x620b00609d00644d00217500620b0061750063d000209600620b006096", "0x637300217600620b0061760063fc00209900620b0060990063de00209d", "0x620b0070a000649c00217a00620b00617a00645000209b00620b00609b", "0x20a80d200720b00617f00649e00200220b0060020090020cd00650c17f", "0xd217509601412a00218000620b00605f00650d00200220b0060a8006033", "0x60160020c900620b00606100600c0020ce00620b00609d17a09b176099", "0x620b0060ce0060410020cb00620b0060cc00612b0020ca00620b00617c", "0xc20b0060b30c60cb0ca0c901650f0020b300620b00618000650e0020c6", "0x20b00600200900218e0065100b500620b0070c800617d0020c80cf1810ab", "0x243e00200220b0060b90060330020b90b700720b0060b50061f6002002", "0x43f0020bd00620b0060020ef0020bb00620b0060020ef0020ba00620b006", "0xc31900c10bf0be01420b0060b700637100218f00620b0060bd0bb0ba009", "0x20d900620b0061810060160020d700620b0060ab00600c0020d419c19b", "0x618f0060c60020db00620b0060c30063fc0021a100620b0060cf00612b", "0x44100219f0d61a019d00c20b0061a30db1a10d90d70164400021a300620b", "0x61a400644200200220b0060020090021a50065111a400620b00719f006", "0x19b0df1900c10bf0be01412a00200220b0061a60060330021a60df00720b", "0x20b0061ad1b20074840021ad00620b00600202a0021b200620b0060d419c", "0x160020e500620b00619d00600c0021b400620b0061ae0064850021ae006", "0x20b0061b400644c0021b800620b0060d600612b0020e700620b0061a0006", "0x20b0060d400620c00200220b0060020090021ba1b80e70e500c0061ba006", "0x60be00639500200220b00619b00639700200220b00619c006396002002", "0xbf00639b00200220b0060c100639a00200220b00619000639900200220b", "0x20ea00620b00619d00600c0021bd00620b0061a500644b00200220b006", "0x61bd00644c0021bf00620b0060d600612b0020ec00620b0061a0006016", "0x618e00644b00200220b0060020090020ef1bf0ec0ea00c0060ef00620b", "0x20f200620b0061810060160021c500620b0060ab00600c0021c100620b", "0xf40f21c500c0061c800620b0061c100644c0020f400620b0060cf00612b", "0x20b00609d00620c00200220b00609600639500200220b0060020090021c8", "0x617600639800200220b00609b00639700200220b00617a006396002002", "0x17500639b00200220b00605f00604d00200220b00609900639900200220b", "0x21d400620b00606100600c0021ca00620b0060cd00644b00200220b006", "0x61ca00644c0021d600620b0060cc00612b0020f800620b00617c006016", "0x605f00604d00200220b0060020090021eb1d60f81d400c0061eb00620b", "0x8300639700200220b0060c700639500200220b00615700620c00200220b", "0x639a00200220b00614e00639900200220b00614f00639800200220b006", "0x20fa00620b00616d00644b00200220b00615100639b00200220b006152", "0x616800612b0020fc00620b00616e0060160021ef00620b00606100600c", "0x20090021f60fe0fc1ef00c0061f600620b0060fa00644c0020fe00620b", "0x604d00200220b00615100639b00200220b00615200639a00200220b006", "0x39800200220b00608300639700200220b0060c700639500200220b00605f", "0x200220b00608500639600200220b00614e00639900200220b00614f006", "0x61610060160021f800620b00606100600c00210000620b00615400644b", "0x610300620b00610000644c0022f600620b00616000612b0021f900620b", "0x4d00200220b00614a00603300200220b0060020090021032f61f91f800c", "0x200220b00604d00639600200220b00604b00620c00200220b00605f006", "0x220b00604700639900200220b00604e00639800200220b006130006397", "0x20b00612d00639500200220b00604500639b00200220b00612e00639a002", "0x61ff00604b0021ff00620b0060025010021fb00620b006002131002002", "0x200000620b00600213500220600620b0061ff1fb00705b0021ff00620b", "0x6100600c00230400620b00630000644b00230000620b00620600000705d", "0x30800620b00606400612b00230700620b00613800601600230500620b006", "0x220b00600200900230930830730500c00630900620b00630400644c002", "0x20b00604d00639600200220b00604b00620c00200220b00605f00604d002", "0x604700639900200220b00604e00639800200220b006130006397002002", "0x12d00639500200220b00604500639b00200220b00612e00639a00200220b", "0x230b00620b00606100600c00230a00620b00613c00644b00200220b006", "0x630a00644c00230e00620b00606400612b00230c00620b006138006016", "0x612d00639500200220b00600200900230f30e30c30b00c00630f00620b", "0x4b00620c00200220b00604500639b00200220b00612e00639a00200220b", "0x639800200220b00613000639700200220b00604d00639600200220b006", "0x231000620b00605b00644b00200220b00604700639900200220b00604e", "0x605300612b00231200620b00605100601600231100620b00613200600c", "0x200900231431331231100c00631400620b00631000644c00231300620b", "0x900604700200220b00604300603300200220b00600211e00200220b006", "0x604b00231600620b0060023cc00231500620b00600213100200220b006", "0x620b00600213500231700620b00631631500705b00231600620b006316", "0xc00231b00620b00631a00644b00231a00620b00631731900705d002319", "0x20b00606500612b00232000620b0060c400601600231c00620b006002006", "0x600200900232232132031c00c00632200620b00631b00644c002321006", "0x601c0060fa00200220b00600900604700200220b00600211e00200220b", "0x1600232800620b00600200600c00232600620b00602b00644b00200220b", "0x20b00632600644c00232a00620b00606500612b00232900620b0060c4006", "0x20b00600900604700200220b00600200900232b32a32932800c00632b006", "0x601600232d00620b00600200600c00232c00620b00601700644b002002", "0x620b00632c00644c00233200620b00601600612b00233100620b00600c", "0x620b00600600601600200220b00600211e00221233233132d00c006212", "0xf01600c00920b00601401000738300201400620b00600700612b002010", "0x60ec00200220b00600200900201700651201500620b00700f0060ea002", "0x20b0060190060fa00201c01900720b00601b00636000201b00620b006015", "0x71bd00202900620b00601600612b00211b00620b00600c006016002002", "0x20b0070540060ea00200220b0060020060020540650c400920b00602911b", "0x202c00620b00602a0060ec00200220b00600200900202b00651302a006", "0x601c00636100200220b00602d0060fa00202e02d00720b00602c006360", "0x4803300720b00603000613000203000620b00602f0061bf00202f00620b", "0x60390061bf00203900620b00602e00636100200220b00603300604d002", "0x200220b00611e00604d00203711e00720b00603500613000203500620b", "0x10d1200071c100210d00620b0060370061b200212000620b0060480061b2", "0x51400220b00703a0061c500203a00620b00603a00604b00203a00620b006", "0x612400602e00212400620b00600202a00200220b00600200900203c006", "0x200900200251500600202d00203e00620b00607d00602c00207d00620b", "0x602b00212a00620b00600202a00200220b00603c0060f200200220b006", "0x620b00603e00602f00203e00620b00612c00602c00212c00620b00612a", "0x4300651604100620b00712b00603000212b00620b00612b00602c00212b", "0x200220b00604100603300200220b00600211e00200220b006002009002", "0x20b0061310063fb00204b04d13013104712e04512d01420b006009006371", "0x213300620b0060c400601600205600620b00600200600c00204f04e007", "0x13305600c3fd00213600620b00604f0063fc00205800620b00606500612b", "0x5b00651713400620b00712f0060c800212f05305113200c20b006136058", "0x20b0061350063fe00213500620b0061340060c900200220b006002009002", "0xc00200220b00605f00604d00200220b00613700604d00205f13705d009", "0x20b00605300612b00213b00620b00605100601600206700620b006132006", "0xc20b00606a06913b06700c3ff00206a00620b00605d00621b002069006", "0x20b00600200900213c00651806c00620b007139006400002139064138061", "0x43c00207113f00720b00606f00640200206f00620b00606c006401002002", "0x14500620b00614100640300214100620b00600202a00200220b00613f006", "0x7100640200200220b00607500643c00207607500720b006145006402002", "0x14600720b00607600640200200220b00607700643c00207907700720b006", "0x14b00643d00214a00620b00607900643d00200220b00614600643c00214b", "0x620b00607b00602f00207b00620b00607f14a00744400207f00620b006", "0x602c00215100620b0060c700602f0020c700620b0060c700602c0020c7", "0x600200900214e00651915200620b00715100603000215100620b006151", "0x4b04d13004e04712e04512d01412a00200220b00615200603300200220b", "0x215d15f16016115e15008508301420b00614f00637100214f00620b006", "0x13800601600208a00620b00606100600c00215c16300720b0061610063fb", "0x16800620b00615c0063fc00216e00620b00606400612b00215b00620b006", "0x20b0060830063e300215715408716200c20b00616816e15b08a00c3fd002", "0x3de00215000620b0061500063d300208500620b0060850063d0002083006", "0x20b00616000637300215d00620b00615d00644d00215e00620b00615e006", "0xc800216300620b0061630063fc00215f00620b00615f006450002160006", "0x60ed0060c900200220b00600200900208e00651a0ed00620b007157006", "0x220b00616c00604d00209216c0d000920b00616b0063fe00216b00620b", "0x608700601600209600620b00616200600c00200220b00609200604d002", "0x209900620b0060d000621b0020d100620b00615400612b00217500620b", "0x620b00717300640000217309417116d00c20b0060990d117509600c3ff", "0x40200217a00620b00617600640100200220b00600200900209b00651b176", "0x20b0060cc0064030020cc00620b00600202a00217c09d00720b00617a006", "0x43d00200220b00617d00643c0020a217d00720b0060a00064020020a0006", "0x617f0a400721a00217f00620b0060a200643d0020a400620b00617c006", "0x220b0060020090020d200651c0cd00620b00717e00603000217e00620b", "0x620b0060020ef0020a800620b00600243e00200220b0060cd006033002", "0xc0020ab00620b0060ce1800a800943f0020ce00620b0060020ef002180", "0x20b00609400612b0020cb00620b0061710060160020ca00620b00616d006", "0x4400020b500620b0060ab0060c60020b300620b0061630063fc0020c6006", "0x620b0070c90064410020c90c80cf18100c20b0060b50b30c60cb0ca016", "0x20ba0b900720b00618e00644200200220b0060020090020b700651d18e", "0x60bb00643c0020bd0bb00720b00609d00640200200220b0060ba006033", "0x64020020be00620b00618f00644300218f00620b00600202a00200220b", "0x720b0060bd00640200200220b0060bf00643c0020c10bf00720b0060be", "0x43c00219c19b00720b0060c100640200200220b00619000643c0020c3190", "0x620b00619c00643d00219d00620b0060c300643d00200220b00619b006", "0x3d50020d600620b0060d400602f0020d400620b0061a019d0074440021a0", "0x1500063d70020d708500720b0060850063d600219f08300720b006083006", "0x20b0060b90063d90021a115e00720b00615e0063d80020d915000720b006", "0x15f00720b00615f0063db0021a316000720b0061600063da0020db0b9007", "0x1a41a30db1a10d90d719f01412a0021a515d00720b00615d0063dc0021a4", "0xd600620b0060d600602c00200220b0060df0060470020df00620b0061a5", "0x603300200220b0060020090021b200651e1a600620b0070d6006030002", "0x21ad00620b00615d15f1600b915e15008508301412a00200220b0061a6", "0x60c800612b0021b400620b0060cf0060160021ae00620b00618100600c", "0x200900200251f00600202d0020e700620b0061ad0060410020e500620b", "0x15f1600b915e15008508301412a00200220b0061b200603300200220b006", "0xef00620b00618100600c0021ba00620b0060024450021b800620b00615d", "0x1b80060410021c500620b0060c800612b0021c100620b0060cf006016002", "0xf40f21c51c10ef0164470020f400620b0061ba0064460020f200620b006", "0x90021ca0065201c800620b0071bf00617d0021bf0ec0ea1bd00c20b006", "0x220b0060f80060330020f81d400720b0061c80061f600200220b006002", "0xec00612b0021b400620b0060ea0060160021ae00620b0061bd00600c002", "0x1d600620b0061ae00636e0020e700620b0061d40060410020e500620b006", "0xe700644a0020fa00620b0060e50064490021eb00620b0061b4006448002", "0x1ca00644b00200220b00600200900200252100600202d0021ef00620b006", "0x1f600620b0060ea0060160020fe00620b0061bd00600c0020fc00620b006", "0x1f60fe00c0061f800620b0060fc00644c00210000620b0060ec00612b002", "0x615f00639600200220b00615d00620c00200220b0060020090021f8100", "0x15e00639900200220b00609d00643c00200220b00616000639700200220b", "0x639500200220b00608500639b00200220b00615000639a00200220b006", "0x2f600620b00618100600c0021f900620b0060b700644b00200220b006083", "0x1f900644c0021fb00620b0060c800612b00210300620b0060cf006016002", "0xd200603300200220b0060020090021ff1fb1032f600c0061ff00620b006", "0x15f16016315e15008508301412a00200220b00609d00643c00200220b006", "0x620b0061710060160021d600620b00616d00600c00220600620b00615d", "0x63710021ef00620b0062060060410020fa00620b00609400612b0021eb", "0x230b00620b00600206500230a30930830730530430000001420b0061ef", "0x630a00644d00231100620b0060fa00612b00231000620b0061eb006016", "0x20b00631331231131000c21900231300620b00630b00611b00231200620b", "0x20b00600200900231500652231400620b00730f00644e00230f30e30c009", "0x206500200220b00631700603300231731600720b00631400644f002002", "0x32100620b00630e00612b00232000620b00630c00601600231900620b006", "0x32000c45100232600620b00631900611b00232200620b006309006450002", "0x32900652332800620b00731c00645200231c31b31a00920b006326322321", "0x632b00603300232b32a00720b00632800645300200220b006002009002", "0x202a00232c00620b00631632a30830730530430000001412a00200220b", "0x620b00633100648500233100620b00632d32c00748400232d00620b006", "0x612b00233300620b00631a00601600221200620b0061d600600c002332", "0x233533433321200c00633500620b00633200644c00233400620b00631b", "0x200220b00600000639500200220b00631600620c00200220b006002009", "0x220b00630500639900200220b00630700639800200220b006308006397", "0x20b00632900644b00200220b00630000639b00200220b00630400639a002", "0x12b00233900620b00631a00601600233700620b0061d600600c002336006", "0x33b21133933700c00633b00620b00633600644c00221100620b00631b006", "0x220b00630400639a00200220b00630000639b00200220b006002009002", "0x20b00630700639800200220b00630800639700200220b006000006395002", "0x631500644b00200220b00630900639600200220b006305006399002002", "0x234000620b00630c00601600233f00620b0061d600600c00233d00620b", "0x34234033f00c00634300620b00633d00644c00234200620b00630e00612b", "0x20b00615000639a00200220b00608300639500200220b006002009002343", "0x615f00639600200220b00615d00620c00200220b00608500639b002002", "0x16300639800200220b00615e00639900200220b00616000639700200220b", "0x234500620b00616d00600c00221000620b00609b00644b00200220b006", "0x621000644c00234700620b00609400612b00234600620b006171006016", "0x608300639500200220b00600200900234834734634500c00634800620b", "0x15d00620c00200220b00608500639b00200220b00615000639a00200220b", "0x639800200220b00616000639700200220b00615f00639600200220b006", "0x234900620b00608e00644b00200220b00615e00639900200220b006163", "0x615400612b00234b00620b00608700601600234a00620b00616200600c", "0x200900234d34c34b34a00c00634d00620b00634900644c00234c00620b", "0x639600200220b00604b00620c00200220b00614e00603300200220b006", "0x39900200220b00604e00639800200220b00613000639700200220b00604d", "0x200220b00604500639b00200220b00612e00639a00200220b006047006", "0x34f00620b00600250100234e00620b00600213100200220b00612d006395", "0x213500235000620b00634f34e00705b00234f00620b00634f00604b002", "0x620b00635200644b00235200620b00635035100705d00235100620b006", "0x612b00235400620b00613800601600220f00620b00606100600c002353", "0x235635535420f00c00635600620b00635300644c00235500620b006064", "0x200220b00604d00639600200220b00604b00620c00200220b006002009", "0x220b00604700639900200220b00604e00639800200220b006130006397", "0x20b00612d00639500200220b00604500639b00200220b00612e00639a002", "0x601600235a00620b00606100600c00235700620b00613c00644b002002", "0x620b00635700644c00235c00620b00606400612b00235b00620b006138", "0x220b00612e00639a00200220b00600200900236035c35b35a00c006360", "0x20b00604b00620c00200220b00604500639b00200220b00612d006395002", "0x604e00639800200220b00613000639700200220b00604d006396002002", "0x600c00236100620b00605b00644b00200220b00604700639900200220b", "0x620b00605300612b00236600620b00605100601600236500620b006132", "0x20b00600200900236936836636500c00636900620b00636100644c002368", "0x20b00600900604700200220b00604300603300200220b00600211e002002", "0x636f00604b00236f00620b0060023cc00236e00620b006002131002002", "0x237200620b00600213500237100620b00636f36e00705b00236f00620b", "0x200600c00237400620b00637300644b00237300620b00637137200705d", "0x37900620b00606500612b00237800620b0060c400601600220e00620b006", "0x220b00600200900237a37937820e00c00637a00620b00637400644c002", "0x220b00601c0060fa00200220b00600900604700200220b00600211e002", "0xc400601600237c00620b00600200600c00237b00620b00602b00644b002", "0x37f00620b00637b00644c00237e00620b00606500612b00237d00620b006", "0x200220b00600900604700200220b00600200900237f37e37d37c00c006", "0x600c00601600238100620b00600200600c00238000620b00601700644b", "0x638500620b00638000644c00238300620b00601600612b00238200620b", "0x1701501401000f01600c00901420b00600700637100238538338238100c", "0x20b00600f00639900200220b00601600639a00200220b006009006395002", "0x601500639600200220b00601400639700200220b006010006398002002", "0x612b0020c400620b00600200601600200220b00601700620c00200220b", "0x60540650c40093d100205400620b00600c0063d000206500620b006006", "0x600200900202900652411b00620b00701c00615100201c01901b00920b", "0x33200202b00620b00602a00633100202a00620b00611b00615200200220b", "0x20b00601900612b00202d00620b00601b00601600202c00620b00602b006", "0x20b00600200900202f02e02d00900602f00620b00602c00621200202e006", "0x612b00203300620b00601b00601600203000620b006029006333002002", "0x37100203904803300900603900620b00603000621200204800620b006019", "0x220b00600900639500201701501401000f01600c00901420b006007006", "0x20b00601000639800200220b00600f00639900200220b00600c00639b002", "0x601700620c00200220b00601500639600200220b006014006397002002", "0x3d300206500620b00600600612b0020c400620b00600200601600200220b", "0x15100201c01901b00920b0060540650c40093d400205400620b006016006", "0x611b00615200200220b00600200900202900652511b00620b00701c006", "0x202c00620b00602b00633200202b00620b00602a00633100202a00620b", "0x602c00621200202e00620b00601900612b00202d00620b00601b006016", "0x20b00602900633300200220b00600200900202f02e02d00900602f00620b", "0x21200204800620b00601900612b00203300620b00601b006016002030006", "0xc00901420b00600700637100203904803300900603900620b006030006", "0x220b00600c00639b00200220b00600900639500201701501401000f016", "0x20b00601400639700200220b00601000639800200220b00601600639a002", "0x600200601600200220b00601700620c00200220b006015006396002002", "0x205400620b00600f0063de00206500620b00600600612b0020c400620b", "0x52611b00620b00701c00615100201c01901b00920b0060540650c40093df", "0x2a00633100202a00620b00611b00615200200220b006002009002029006", "0x2d00620b00601b00601600202c00620b00602b00633200202b00620b006", "0x2e02d00900602f00620b00602c00621200202e00620b00601900612b002", "0x601b00601600203000620b00602900633300200220b00600200900202f", "0x603900620b00603000621200204800620b00601900612b00203300620b", "0x201b01701501401000f01600c01420b006009006371002039048033009", "0x220b00600f00639a00200220b00601600639b00200220b00600c006395", "0x20b00601700639600200220b00601500639700200220b006010006399002", "0x600601600205400620b00600200600c00200220b00601b00620c002002", "0x2a00620b0060140063fc00202900620b00600700612b00211b00620b006", "0x20b0070650060c80020650c401c01900c20b00602a02911b05400c3fd002", "0x202d00620b00602b0060c900200220b00600200900202c00652702b006", "0x601900600c00202f00620b00602e00621400202e00620b00602d006528", "0x204800620b0060c400612b00203300620b00601c00601600203000620b", "0x200220b00600200900203904803303000c00603900620b00602f006529", "0x601c00601600211e00620b00601900600c00203500620b00602c00652a", "0x610d00620b00603500652900212000620b0060c400612b00203700620b", "0x20b0060070063fe00200700200720b00600200652b00210d12003711e00c", "0x21b00200220b00601600604d00200220b00600c00604d00201600c009009", "0x601501400752c00201500620b00600600604e00201400620b006009006", "0x1700200720b00600200652b00200220b00601000603300201000f00720b", "0x604d00200220b00601b00634900201c01901b00920b0060170063fe002", "0x11b00620b00600f00604e00205400620b00601900604b00200220b00601c", "0x63fe00200220b0060650060330020650c400720b00611b05400704f002", "0x20b00602a00604d00200220b00602900634900202b02a02900920b006002", "0x704f00202f00620b0060c400604e00202e00620b00602b00604b002002", "0x602d00652e00203000620b00602c00652d00202d02c00720b00602f02e", "0x620b00600252f00200220b00600200604700203303000700603300620b", "0x700600953100200900620b00600252f00200700620b006002530002006", "0x200653200201600600601600620b00600c0060b900200c00620b006009", "0x600c00653400201600c00900920b00600700653300200700200720b006", "0x604e00201400620b00600900653500200220b00601600653400200220b", "0x601000603300201000f00720b00601501400753600201500620b006006", "0x1901b00920b00601700653300201700200720b00600200653200200220b", "0x601900653500200220b00601c00653400200220b00601b00653400201c", "0xc400720b00611b05400753600211b00620b00600f00604e00205400620b", "0x53400202b02a02900920b00600200653300200220b006065006033002065", "0x2e00620b00602b00653500200220b00602a00653400200220b006029006", "0x52d00202d02c00720b00602f02e00753600202f00620b0060c400604e002", "0x37100203303000700603300620b00602d00652e00203000620b00602c006", "0x220b00600c00639500201b01701501401000f01600c01420b006009006", "0x20b00601000639900200220b00600f00639a00200220b00601600639b002", "0x601b00620c00200220b00601500639700200220b006014006398002002", "0x12b00211b00620b00600600601600205400620b00600200600c00200220b", "0x2911b05400c53700202a00620b00601700645000202900620b006007006", "0x202c00653802b00620b00706500618f0020650c401c01900c20b00602a", "0x620b00602d00653900202d00620b00602b0060be00200220b006002009", "0x601600203000620b00601900600c00202f00620b00602e00653a00202e", "0x620b00602f00621300204800620b0060c400612b00203300620b00601c", "0x620b00602c00653b00200220b00600200900203904803303000c006039", "0x612b00203700620b00601c00601600211e00620b00601900600c002035", "0x210d12003711e00c00610d00620b00603500621300212000620b0060c4", "0x600900613000200900620b00600700653c00200700620b006002006054", "0x201400620b00601600604b00200220b00600c00604d00201600c00720b", "0x603300201000f00720b00601501400704f00201500620b00600600604e", "0x201b00620b00600f00604e00201700620b00600202a00200220b006010", "0x1600c01420b00600900637100201901b00700601900620b0060170061ff", "0x220b00601600639b00200220b00600c00639500201b01701501401000f", "0x20b00601400639800200220b00601000639900200220b00600f00639a002", "0x600200600c00200220b00601700639600200220b006015006397002002", "0x202900620b00600700612b00211b00620b00600600601600205400620b", "0xc401c01900c20b00602a02911b05400c53d00202a00620b00601b00644d", "0xbe00200220b00600200900202c00653e02b00620b00706500618f002065", "0x20b00602e00653a00202e00620b00602d00653900202d00620b00602b006", "0x12b00203300620b00601c00601600203000620b00601900600c00202f006", "0x3904803303000c00603900620b00602f00621300204800620b0060c4006", "0x20b00601900600c00203500620b00602c00653b00200220b006002009002", "0x21300212000620b0060c400612b00203700620b00601c00601600211e006", "0xc01420b00600900637100210d12003711e00c00610d00620b006035006", "0x20b00601600639b00200220b00600c00639500201b01701501401000f016", "0x601500639700200220b00601000639900200220b00600f00639a002002", "0x200600c00200220b00601b00620c00200220b00601700639600200220b", "0x2900620b00600700612b00211b00620b00600600601600205400620b006", "0x1c01900c20b00602a02911b05400c3fd00202a00620b0060140063fc002", "0x200220b00600200900202c00653f02b00620b0070650060c80020650c4", "0x600c00203002f02e00920b00602d0063fe00202d00620b00602b0060c9", "0x620b0060c400612b00203700620b00601c00601600211e00620b006019", "0x3ff00210d00620b00610d00621b00210d02e00720b00602e00635b002120", "0x3a00620b00703500640000203503904803300c20b00610d12003711e00c", "0x943f00212400620b00603a00640100200220b00600200900203c006540", "0x3e00654200203e00620b00612407d00754100207d00620b00603002f02e", "0x12b00620b00603300600c00212c00620b00612a00654300212a00620b006", "0x12c00654400204300620b00603900612b00204100620b006048006016002", "0x2e00634900200220b00600200900212d04304112b00c00612d00620b006", "0x654500200220b00602f00604d00200220b00603000604d00200220b006", "0x620b00604800601600212e00620b00603300600c00204500620b00603c", "0x12e00c00613000620b00604500654400213100620b00603900612b002047", "0x600c00204d00620b00602c00654500200220b006002009002130131047", "0x620b0060c400612b00204e00620b00601c00601600204b00620b006019", "0x600200654600213204f04e04b00c00613200620b00604d00654400204f", "0x1000620b00600600604e00200f00620b0060070060c600200900700720b", "0x643d00200220b00601600603300201600c00720b00601000f0070b3002", "0x20b00601b01700754700201b00620b00600c00604e00201700620b006009", "0x601c00620b00601500652e00201900620b00601400652d002015014007", "0x635a00200700620b00600254800200220b00600200604700201c019007", "0x600900604b00200900620b00600700c0071c100200c00600720b006006", "0x200220b00600200900201600654900220b0070090061c500200900620b", "0x620b00600f00602e00200f00620b00600202a00200220b00600600604d", "0x20b00600200900200254a00600202d00201400620b00601000602c002010", "0x600600635a00201500620b0060023b300200220b0060160060f2002002", "0x620b00601700604b00201700620b00601501b0071c100201b00600720b", "0x604d00200220b00600200900201900654b00220b0070170061c5002017", "0x20c400620b00601c00602e00201c00620b00600202a00200220b006006", "0x200220b00600200900200254c00600202d00206500620b0060c400602c", "0x720b00600600635a00205400620b00600254d00200220b0060190060f2", "0x211b00620b00611b00604b00211b00620b0060540290071c1002029006", "0x600600604d00200220b00600200900202a00654e00220b00711b0061c5", "0x602c00202c00620b00602b00602e00202b00620b00600202a00200220b", "0x60f200200220b00600200900200254f00600202d00202d00620b00602c", "0x3000600720b00600600635a00202e00620b00600255000200220b00602a", "0x61c500202f00620b00602f00604b00202f00620b00602e0300071c1002", "0x220b00600600604d00200220b00600200900203300655100220b00702f", "0x603900602c00203900620b00604800602e00204800620b00600202a002", "0x60330060f200200220b00600200900200255200600202d00203500620b", "0x1c100212000600720b00600600635a00211e00620b00600255300200220b", "0x70370061c500203700620b00603700604b00203700620b00611e120007", "0x2a00200220b00600600604d00200220b00600200900210d00655400220b", "0x620b00603c00602c00203c00620b00603a00602e00203a00620b006002", "0x220b00610d0060f200200220b00600200900200255500600202d002124", "0x3e00604b00203e00620b00607d0060071c100207d00620b006002556002", "0x220b00600200900212a00655700220b00703e0061c500203e00620b006", "0x612b00602c00212b00620b00612c00602e00212c00620b00600202a002", "0x612a0060f200200220b00600200900200255800600202d00204100620b", "0x602c00212d00620b00604300602b00204300620b00600202a00200220b", "0x620b00612400636f00212400620b00604100636f00204100620b00612d", "0x636f00206500620b00602d00636f00202d00620b00603500636f002035", "0x200604100204500600604500620b00601400636f00201400620b006065", "0x620b00600c0090070d600200c00620b00600600604b00200900620b006", "0x3300200220b00600200900200f00655901600620b007007006030002007", "0x1400620b00601000604b00201000620b0060020ef00200220b006016006", "0x200220b00600f00603300200220b00600200900200255a00600202d002", "0x20b0060140061b200201400620b00601500604b00201500620b006002000", "0x620b00600600612c00201900620b00600200600c002017006006017006", "0x604100206500620b00600900612b0020c400620b00600700601600201c", "0x620b00600f00604e00211b00620b00601600604b00205400620b00600c", "0x201b01701501401001620b00602911b0540650c401c0190100c7002029", "0x2a00615200200220b00600200900202b00655b02a00620b00701b006151", "0x220b00602d00604d00202e02d00720b00602c00613000202c00620b006", "0x3000604d00203303000720b00602f00613000202f00620b006002100002", "0x203900620b0060330061b200204800620b00602e0061b200200220b006", "0x350061c500203500620b00603500604b00203500620b0060390480071c1", "0x203700620b00600202a00200220b00600200900211e00655c00220b007", "0x55d00600202d00210d00620b00612000602c00212000620b00603700602e", "0x620b00600202a00200220b00611e0060f200200220b006002009002002", "0x602f00210d00620b00603c00602c00203c00620b00603a00602b00203a", "0x620b00712400603000212400620b00612400602c00212400620b00610d", "0x200000200220b00607d00603300200220b00600200900203e00655e07d", "0x12b00620b00612c00633200212c00620b00612a00633100212a00620b006", "0x1500601600204300620b00601400612c00204100620b00601000600c002", "0x12e00620b00612b00621200204500620b00601700612b00212d00620b006", "0x220b00603e00603300200220b00600200900212e04512d043041016006", "0x20b00613100604b00213100620b00600255f00204700620b006002131002", "0x5d00204d00620b00600213500213000620b00613104700705b002131006", "0x601000600c00204e00620b00604b00633300204b00620b00613004d007", "0x205100620b00601500601600213200620b00601400612c00204f00620b", "0x5113204f01600612f00620b00604e00621200205300620b00601700612b", "0x1000600c00205600620b00602b00633300200220b00600200900212f053", "0x13600620b00601500601600205800620b00601400612c00213300620b006", "0x5813301600605b00620b00605600621200213400620b00601700612b002", "0xef00201000f00720b00600c00613000200220b00600211e00205b134136", "0x20b00601500604d00201701500720b00601400613000201400620b006002", "0x4d00201c01900720b00601b00613000201b00620b0060100061b2002002", "0x720b0060c40061300020c400620b0060170061b200200220b006019006", "0x61b200211b00620b00601c0061b200200220b00606500604d002054065", "0x20b00602a00604b00202a00620b00602911b0071c100202900620b006054", "0x2a00200220b00600200900202b00656000220b00702a0061c500202a006", "0x620b00602d00602c00202d00620b00602c00602e00202c00620b006002", "0x220b00602b0060f200200220b00600200900200256100600202d00202e", "0x603000602c00203000620b00602f00602b00202f00620b00600202a002", "0x203300620b00603300602c00203300620b00602e00602f00202e00620b", "0x704800603000204800620b00604800602c00204800620b00603300602f", "0x200220b00603900603300200220b00600200900203500656203900620b", "0x20b00600600601600207d12403c03a10d12003711e01420b006009006371", "0x35a00204300620b0060370063d000204100620b00600700612b00212b006", "0x4112b00c45400212d00620b00612d00604b00212d00f00720b00600f006", "0x212e00656304500620b00712c00645500212c12a03e00920b00612d043", "0x20b00613100603300213104700720b00604500645600200220b006002009", "0x63d300204f00620b00612a00612b00204e00620b00603e006016002002", "0x20b00605100604b00205101600720b00601600635a00213200620b006120", "0x704b00649c00204b04d13000920b00605113204f04e00c49b002051006", "0x5600720b00605300649e00200220b00600200900212f00656405300620b", "0x613000601600205800620b0060020ef00200220b006133006033002133", "0x213700620b00610d0063de00205d00620b00604d00612b00213500620b", "0x5b13413600920b00605f13705d13500c4b500205f00620b00605800604b", "0x64b800200220b00600200900213800656506100620b00705b0064b6002", "0x720b00600f00635a00200220b00613900603300213906400720b006061", "0x3c03a06405604711e01412a00213b00620b00601606700756600206700f", "0x20b00613600601600213f00620b00600200600c00206900620b00607d124", "0x56700214500620b00606900604100214100620b00613400612b002071006", "0x13c06c06a00c20b00607514514107113f01656800207500620b00613b006", "0x1f600200220b00600200900207700656907600620b00706f00617d00206f", "0x20b00600f0063ed00200220b00614600603300214607900720b006076006", "0x12b00215200620b00606c00601600215100620b00606a00600c00214b006", "0x20b00614b0063ee00214f00620b00607900604100214e00620b00613c006", "0x617d0020c707f14a07b00c20b00608314f14e1521510163ef002083006", "0x20b0060850061f600200220b00600200900215000656a08500620b0070c7", "0x748400216000620b00600202a00200220b00616100603300216115e007", "0x20b00607b00600c00215d00620b00615f00648500215f00620b00616015e", "0x44c00216200620b00607f00612b00215c00620b00614a006016002163006", "0x44b00200220b00600200900208716215c16300c00608700620b00615d006", "0x20b00614a00601600215700620b00607b00600c00215400620b006150006", "0xc00616e00620b00615400644c00215b00620b00607f00612b00208a006", "0x644b00200220b00600f00604d00200220b00600200900216e15b08a157", "0x620b00606c0060160020ed00620b00606a00600c00216800620b006077", "0xed00c0060d000620b00616800644c00216b00620b00613c00612b00208e", "0x11e00639500200220b00600f00604d00200220b0060020090020d016b08e", "0x639700200220b00612400639600200220b00607d00620c00200220b006", "0x39a00200220b00601600604d00200220b00603a00639800200220b00603c", "0x16c00620b00613800644b00200220b00604700639b00200220b006056006", "0x13400612b00216d00620b00613600601600209200620b00600200600c002", "0x900209417116d09200c00609400620b00616c00644c00217100620b006", "0x39b00200220b00611e00639500200220b00600f00604d00200220b006002", "0x200220b00612400639600200220b00607d00620c00200220b006047006", "0x220b00601600604d00200220b00603a00639800200220b00603c006397", "0x600200600c00217300620b00612f00644b00200220b00610d006399002", "0x20d100620b00604d00612b00217500620b00613000601600209600620b", "0x200220b0060020090020990d117509600c00609900620b00617300644c", "0x220b00610d00639900200220b00611e00639500200220b00600f00604d", "0x20b00603c00639700200220b00612400639600200220b00607d00620c002", "0x612000639a00200220b00601600604d00200220b00603a006398002002", "0x1600209b00620b00600200600c00217600620b00612e00644b00200220b", "0x20b00617600644c00209d00620b00612a00612b00217a00620b00603e006", "0x20b00603500603300200220b00600200900217c09d17a09b00c00617c006", "0x600900604700200220b00601600604d00200220b00600f00604d002002", "0xa000604b0020a000620b0060023f60020cc00620b00600213100200220b", "0xa200620b00600213500217d00620b0060a00cc00705b0020a000620b006", "0x600c0020a400620b00617e00644b00217e00620b00617d0a200705d002", "0x620b00600700612b0020cd00620b00600600601600217f00620b006002", "0x20b00600211e0020a80d20cd17f00c0060a800620b0060a400644c0020d2", "0x200903500201600620b00601600603900201600620b006002048002002", "0x635a00200220b00600200900201501400756b01000f00720b007016006", "0x20b0070170061c500200f00620b00600f00600c00201700c00720b00600c", "0x656d00200220b00600c00604d00200220b00600200900201b00656c002", "0x20b00601c0060e500201c00620b0060190070071b400201900620b006009", "0xe700205400620b00601000601600206500620b00600f00600c0020c4006", "0x60f200200220b00600200900211b05406500900611b00620b0060c4006", "0x2d00620b00601000601600202c00620b00600f00600c00200220b00601b", "0x2b02a02900920b00602e02d02c00956e00202e00620b00600700600f002", "0x657100200220b00600200900203000657002f00620b00702b00656f002", "0x200900203500657303900620b00704800657200204803300720b00602f", "0x203700620b00600200000211e00620b00603900900757400200220b006", "0x2a00601600212400620b00602900600c00212000620b00603700c0071c1", "0x12a00620b00611e00604300203e00620b00603300600f00207d00620b006", "0x10d00920b00612c12a03e07d1240161ae00212c00620b00612000604b002", "0x200220b00600200900204100657512b00620b00703c00601400203c03a", "0x60e500204500620b00612d0430071b400212d04300720b00612b006015", "0x620b00603a00601600204700620b00610d00600c00212e00620b006045", "0x220b00600200900213013104700900613000620b00612e0060e7002131", "0x3a00601600204b00620b00610d00600c00204d00620b0060410061b8002", "0x200900204f04e04b00900604f00620b00604d0060e700204e00620b006", "0x61ba00200220b00600900613600200220b00600c00604d00200220b006", "0x20b0060510060e500205100620b0061320330071b400213200620b006035", "0xe700205600620b00602a00601600212f00620b00602900600c002053006", "0x604d00200220b00600200900213305612f00900613300620b006053006", "0x205800620b0060300061b800200220b00600900613600200220b00600c", "0x60580060e700213400620b00602a00601600213600620b00602900600c", "0x20b00600c00604d00200220b00600200900205b13413600900605b00620b", "0x20b00600213100200220b00600700606100200220b006009006136002002", "0x705b00205d00620b00605d00604b00205d00620b006002134002135006", "0x20b00613705f00705d00205f00620b00600213500213700620b00605d135", "0x1600206400620b00601400600c00213800620b0060610061b8002061006", "0x206713906400900606700620b0061380060e700213900620b006015006", "0xf01600757600200f00620b00600600612b00201600620b006002006016", "0x200900201400657801000620b00700c00657700200c00900700920b006", "0x201700620b00601500657a00201500620b00601000657900200220b006", "0x57d00200220b00601b00657c0020650c401c01901b01620b00601700657b", "0x200220b00606500604d00200220b0060c40060fa00200220b006019006", "0x600700601600211b00620b00605400657f00205400620b00601c00657e", "0x602b00620b00611b00658000202a00620b00600900612b00202900620b", "0x1600202c00620b00601400658100200220b00600200900202b02a029009", "0x20b00602c00658000202e00620b00600900612b00202d00620b006007006", "0x600600612b00201600620b00600200601600202f02e02d00900602f006", "0x20b00700c00657700200c00900700920b00600f01600757600200f00620b", "0x201500620b00601000657900200220b006002009002014006582010006", "0x20650c401c01901b01620b00601700657b00201700620b00601500657a", "0x220b0060c40060fa00200220b00601c0060fa00200220b00601b00657c", "0x605400658400205400620b00601900658300200220b00606500604d002", "0x202a00620b00600900612b00202900620b00600700601600211b00620b", "0x58600200220b00600200900202b02a02900900602b00620b00611b006585", "0x20b00600900612b00202d00620b00600700601600202c00620b006014006", "0x20b00600206400202f02e02d00900602f00620b00602c00658500202e006", "0x900612b00201c00620b00600700601600200220b006002139002017006", "0x1501700713b00201901501b00920b0060c401c0075760020c400620b006", "0x20b00600200900205400658706500620b00701900657700201500620b006", "0x657b00202900620b00611b00657a00211b00620b006065006579002002", "0x2c0060fa00200220b00602a00657c00202e02d02c02b02a01620b006029", "0x1d400202b00620b00602b00658800200220b00602e00604d00200220b006", "0x3711e03503904803303001020b00602f0061eb00202f00620b00602b006", "0x20b00603900606100200220b0060480061ef00200220b0060330060fa002", "0x603700604d00200220b00611e00604d00200220b00603500604d002002", "0x13000203a00620b00600200000210d12000720b00603000613000200220b", "0x20b00610d0061b200200220b00603c00604d00212403c00720b00603a006", "0x1b200200220b00603e00604d00212a03e00720b00607d00613000207d006", "0x612b00604d00204112b00720b00612c00613000212c00620b006124006", "0x4b00212d00620b0060410061b200204300620b00612a0061b200200220b", "0x604500604b00204500620b00612d0430071c100204300620b006043006", "0x212000620b00612000604b00202d00620b00602d0063f100204500620b", "0x20b00600202a00200220b00600200900212e00658900220b0070450061c5", "0x2d00213000620b00613100602c00213100620b00604700602e002047006", "0x202a00200220b00612e0060f200200220b00600200900200258a006002", "0x13000620b00604b00602c00204b00620b00604d00602b00204d00620b006", "0x4e00603000204e00620b00604e00602c00204e00620b00613000602f002", "0x220b00604f00603300200220b00600200900213200658b04f00620b007", "0x200220b00600200900200258c00600202d00200220b00612000604d002", "0x605100604d00205305100720b00612000613000200220b006132006033", "0x4d00213305600720b00612f00613000212f00620b00600230000200220b", "0x620b0061330061b200205800620b0060530061b200200220b006056006", "0x1c500213400620b00613400604b00213400620b0061360580071c1002136", "0x620b00600202a00200220b00600200900205b00658d00220b007134006", "0x202d00213700620b00605d00602c00205d00620b00613500602e002135", "0x600202a00200220b00605b0060f200200220b00600200900200258e006", "0x213700620b00606100602c00206100620b00605f00602b00205f00620b", "0x713800603000213800620b00613800602c00213800620b00613700602f", "0x200220b00606400603300200220b00600200900213900658f06400620b", "0x13b00659100213b00620b00606700659000206701600720b00601600635c", "0x220b00606a0060c400206c06a00720b00606900601c00206900620b006", "0x6f0060c400213f06f00720b00613c00601c00213c00620b006002592002", "0x214100620b00613f00605400207100620b00606c00605400200220b006", "0x200900200259300220b00714107100702900207100620b00607100611b", "0x200600c00200220b0060140060d000200220b00600211e00200220b006", "0x14600620b0060160060fc00207900620b00601b00601600207700620b006", "0x7514500920b00614b14607907700c3f200214b00620b00602d0063f1002", "0x3f400200220b00600200900214a00659407b00620b0070760063f3002076", "0x620b00607500601600207f00620b00614500600c00200220b00607b006", "0x220b00600c00604700200220b00600200900200259500600202d0020c7", "0x20b00614a00644b00200220b00600f00604d00200220b006010006061002", "0x1600214e00620b00600600612c00215200620b00614500600c002151006", "0x20b00615100644c00208300620b00601500612b00214f00620b006075006", "0x601600659000200220b00600200900208508314f14e152016006085006", "0x59600215f00620b00600200600c00215e00620b00600206500215000620b", "0x16315d15f00959700216300620b00615e00611b00215d00620b006150006", "0x600200900216200659915c00620b00716000659800216016100720b006", "0x59c00215400620b00608700659b00208700620b00615c00659a00200220b", "0x615700659e00215715400720b00615400659d00215400620b006154006", "0x200220b00616e00659f00200220b00615b00604d00216e15b08a00920b", "0xed0060fa00208e0ed00720b00616800636000216800620b00608a006361", "0x200220b00616b0060fa0020d016b00720b00602d00636000200220b006", "0x609200613000209200620b00616c0061bf00216c00620b00608e006361", "0x209400620b0060d000636100200220b00616d00604d00217116d00720b", "0x9600604d00217509600720b00617300613000217300620b0060940061bf", "0x209900620b0061750061b20020d100620b0061710061b200200220b006", "0x1760061c500217600620b00617600604b00217600620b0060990d10071c1", "0x15400720b00615400659d00200220b00600200900209b0065a000220b007", "0x59f00200220b00609d0060fa0020cc17c09d00920b00617a00659e00217a", "0x17d00620b0060025a10020a000620b00617c0061b200200220b0060cc006", "0x4b0020a200620b00617d17e0071c100217e0a000720b0060a000635a002", "0x60020090020a40065a200220b0070a20061c50020a200620b0060a2006", "0x602c00217f00620b00601400602f00200220b0060a000604d00200220b", "0x60020090020d20065a30cd00620b00717f00603000217f00620b00617f", "0x60160020a800620b00616100600c00200220b0060cd00603300200220b", "0x620b00600c0060410020ce00620b00601500612b00218000620b00601b", "0x220b0060d200603300200220b0060020090020025a400600202d0020ab", "0x60c60065a50020b30c60cb0ca0c90c80cf18101420b00600c006371002", "0x18f00620b00601b0060160020bd00620b00616100600c00218e0b500720b", "0xbd00c5370020bf00620b00618e0064500020be00620b00601500612b002", "0x65a60c100620b0070bb00618f0020bb0ba0b90b700c20b0060bf0be18f", "0x60b700600c0020c300620b0060c10060be00200220b006002009002190", "0x219f00620b0060ba00612b0020d600620b0060b90060160021a000620b", "0x1a000c5a80020d700620b0060d700611b0020d70c300720b0060c30065a7", "0x65a90d900620b00719d0063bc00219d0d419c19b00c20b0060d719f0d6", "0x620b00600259200200220b0060d90063bd00200220b0060020090021a1", "0x611b0020df00620b0060c300611b0021a500620b00619b00600c0020db", "0x1a400618f0021a41a300720b0061a60df1a50095aa0021a600620b0060db", "0x620b0061b20060be00200220b0060020090021ad0065ab1b200620b007", "0x64500021ba00620b0060d400612b0021b800620b00619c0060160021ae", "0xea1bd1ba1b800c4510020ea00620b0061ae00611b0021bd00620b0060b5", "0x20090021bf0065ac0ec00620b0070e70064520020e70e51b400920b006", "0x200220b0061c10060330021c10ef00720b0060ec00645300200220b006", "0x20b0061a300600c0021c500620b0060b30ef0cb0ca0c90c80cf18101412a", "0x410020ce00620b0060e500612b00218000620b0061b40060160020a8006", "0xf20060fa0021c80f40f200920b00615400659e0020ab00620b0061c5006", "0xf0021ca00620b0061c800605300200220b0060f400604d00200220b006", "0x70f80060770020f81d400720b0061d60060760021d600620b0061ca006", "0x1ef00620b0061d400601b00200220b0060020090020fa0065ad1eb00620b", "0x60c40021f60fe00720b0060fc00601c0020fc00620b0061ef006019002", "0x1f91f800720b00610000601c00210000620b00600206500200220b0060fe", "0x61f90060540022f600620b0061f600605400200220b0061f80060c4002", "0x5ae00220b0071032f60070290022f600620b0062f600611b00210300620b", "0x20b0061fb00602b0021fb00620b00600202a00200220b006002009002002", "0x60020090020025af00600202d00220600620b0061ff00602c0021ff006", "0x602c00230000620b00600000602e00200000620b00600202a00200220b", "0x620b00630400602c00230400620b00620600602f00220600620b006300", "0x3300200220b0060020090023070065b030500620b007304006030002304", "0x20b00630800604d00230930800720b0061eb00613000200220b006305006", "0x604d00230c30b00720b00630a00613000230a00620b0060020ef002002", "0x30f00720b00630e00613000230e00620b0063090061b200200220b00630b", "0x31100613000231100620b00630c0061b200200220b00630f00604d002310", "0x31400620b0063100061b200200220b00631200604d00231331200720b006", "0x604b00231600620b0063153140071c100231500620b0063130061b2002", "0x20b0060020090023170065b100220b0073160061c500231600620b006316", "0x31a00602c00231a00620b00631900602e00231900620b00600202a002002", "0x3170060f200200220b0060020090020025b200600202d00231b00620b006", "0x2c00232000620b00631c00602b00231c00620b00600202a00200220b006", "0x20b00632100602c00232100620b00631b00602f00231b00620b006320006", "0x3000232200620b00632200602c00232200620b00632100602f002321006", "0x632600603300200220b0060020090023280065b332600620b007322006", "0x32c32b01420b00632a00637100232a32900720b0060ab00607f00200220b", "0x220b00632c00639b00200220b00632b00639500233433321233233132d", "0x20b00621200639700200220b00633200639800200220b006331006399002", "0x618000601600200220b00633400620c00200220b006333006396002002", "0x233b00620b00632d0063d300221100620b0060ce00612b00233900620b", "0x5b433d00620b00733700615100233733633500920b00633b2113390093d4", "0x34000613000234000620b00633d00615200200220b00600200900233f006", "0x221000620b0060020ef00200220b00634200604d00234334200720b006", "0x63430061b200200220b00634500604d00234634500720b006210006130", "0x200220b00634800604d00234934800720b00634700613000234700620b", "0x34b00604d00234c34b00720b00634a00613000234a00620b0063460061b2", "0x234e00620b00634c0061b200234d00620b0063490061b200200220b006", "0x34f0061c500234f00620b00634f00604b00234f00620b00634e34d0071c1", "0x235100620b00600202a00200220b0060020090023500065b500220b007", "0x5b600600202d00235300620b00635200602c00235200620b00635100602e", "0x620b00600202a00200220b0063500060f200200220b006002009002002", "0x602f00235300620b00635400602c00235400620b00620f00602b00220f", "0x620b00635500602f00235500620b00635500602c00235500620b006353", "0x35a0065b735700620b00735600603000235600620b00635600602c002356", "0x200220b00635700603300200220b00600211e00200220b006002009002", "0x600612c00236900620b0060a800600c00235c35b00720b00632900607f", "0x37100620b00633600612b00236f00620b00633500601600236e00620b006", "0x1000600f00237300620b00600f00604b00237200620b00635c006041002", "0x36536136001620b00637437337237136f36e3690105b800237400620b006", "0x200220b0060020090023780065b920e00620b0073680060ed002368366", "0x637a00602c00237a00620b00637900602f00237900620b00620e00608e", "0x220b00600200900237c0065ba37b00620b00737a00603000237a00620b", "0x637d35b00748400237d00620b00600202a00200220b00637b006033002", "0x238000620b00636000600c00237f00620b00637e00648500237e00620b", "0x636600612b00238200620b00636500601600238100620b00636100612c", "0x900238538338238138001600638500620b00637f00644c00238300620b", "0x13100200220b00635b00604700200220b00637c00603300200220b006002", "0x38900620b00638900604b00238900620b0060025bb00238800620b006002", "0x20d00705d00220d00620b00600213500238a00620b00638938800705b002", "0x620b00636000600c00238c00620b00638b00644b00238b00620b00638a", "0x612b00238f00620b00636500601600238e00620b00636100612c00238d", "0x39239138f38e38d01600639200620b00638c00644c00239100620b006366", "0x620b00637800644b00200220b00635b00604700200220b006002009002", "0x601600239600620b00636100612c00220c00620b00636000600c002395", "0x620b00639500644c00239800620b00636600612b00239700620b006365", "0x220b00600211e00200220b00600200900239939839739620c016006399", "0x20b00600f00604d00200220b00601000606100200220b00635a006033002", "0x20b0060024bd00239a00620b00600213100200220b006329006047002002", "0x239c00620b00639b39a00705b00239b00620b00639b00604b00239b006", "0x639e00644b00239e00620b00639c39d00705d00239d00620b006002135", "0x23a100620b00600600612c0023a000620b0060a800600c00239f00620b", "0x639f00644c0023a300620b00633600612b0023a200620b006335006016", "0x600211e00200220b0060020090023a43a33a23a13a00160063a400620b", "0x32900604700200220b00600f00604d00200220b00601000606100200220b", "0x23a600620b0060a800600c0023a500620b00633f00644b00200220b006", "0x633600612b0023a800620b0063350060160023a700620b00600600612c", "0x90023aa3a93a83a73a60160063aa00620b0063a500644c0023a900620b", "0x606100200220b00632800603300200220b00600211e00200220b006002", "0x13100200220b0060ab00604700200220b00600f00604d00200220b006010", "0x3ac00620b0063ac00604b0023ac00620b0060023f60023ab00620b006002", "0x3ae00705d0023ae00620b0060021350023ad00620b0063ac3ab00705b002", "0x620b0060a800600c0023b000620b0063af00644b0023af00620b0063ad", "0x612b0023b300620b0061800060160023b200620b00600600612c0023b1", "0x3b53b43b33b23b10160063b500620b0063b000644c0023b400620b0060ce", "0x200220b00630700603300200220b00600211e00200220b006002009002", "0x220b0060ab00604700200220b00600f00604d00200220b006010006061", "0x620b0060025bc0023b600620b00600213100200220b0061eb00604d002", "0x1350023b800620b0063b73b600705b0023b700620b0063b700604b0023b7", "0x20b0063ba00644b0023ba00620b0063b83b900705d0023b900620b006002", "0x160023bd00620b00600600612c0023bc00620b0060a800600c0023bb006", "0x20b0063bb00644c0023bf00620b0060ce00612b0023be00620b006180006", "0x20b00600211e00200220b0060020090023c03bf3be3bd3bc0160063c0006", "0x600f00604d00200220b00601000606100200220b0060fa006033002002", "0x600213100200220b0061d400606100200220b0060ab00604700200220b", "0x5b0023c200620b0063c200604b0023c200620b0060025bc0023c100620b", "0x63c33c400705d0023c400620b0060021350023c300620b0063c23c1007", "0x23c700620b0060a800600c0023c600620b0063c500644b0023c500620b", "0x60ce00612b0023c900620b0061800060160023c800620b00600600612c", "0x90022173ca3c93c83c701600621700620b0063c600644c0023ca00620b", "0x606100200220b0061540065bd00200220b00600211e00200220b006002", "0x39500200220b0060b300620c00200220b00600f00604d00200220b006010", "0x200220b0060ca00639800200220b0060cb00639700200220b006181006", "0x220b0060cf00639b00200220b0060c800639a00200220b0060c9006399", "0x600612c0023cc00620b0061a300600c0023cb00620b0061bf00644b002", "0x3ce00620b0060e500612b00221800620b0061b40060160023cd00620b006", "0x20b0060020090023cf3ce2183cd3cc0160063cf00620b0063cb00644c002", "0x20b00601000606100200220b0061540065bd00200220b00600211e002002", "0x60cf00639b00200220b0060c800639a00200220b00600f00604d002002", "0xcb00639700200220b00618100639500200220b0060b300620c00200220b", "0x639600200220b0060c900639900200220b0060ca00639800200220b006", "0x3d100620b0061a300600c0023d000620b0061ad00644b00200220b0060b5", "0xd400612b0023d300620b00619c0060160023d200620b00600600612c002", "0x23d53d43d33d23d10160063d500620b0063d000644c0023d400620b006", "0x6100200220b0061540065bd00200220b00600211e00200220b006002009", "0x200220b0060c800639a00200220b00600f00604d00200220b006010006", "0x220b00618100639500200220b0060b300620c00200220b0060cf00639b", "0x20b0060c900639900200220b0060ca00639800200220b0060cb006397002", "0x61a100644b00200220b0060c30060c400200220b0060b5006396002002", "0x23d800620b00600600612c0023d700620b00619b00600c0023d600620b", "0x63d600644c0023da00620b0060d400612b0023d900620b00619c006016", "0x600211e00200220b0060020090023db3da3d93d83d70160063db00620b", "0xf00604d00200220b00601000606100200220b0061540065bd00200220b", "0x639b00200220b0060b500639600200220b0060c800639a00200220b006", "0x39700200220b00618100639500200220b0060b300620c00200220b0060cf", "0x200220b0060c900639900200220b0060ca00639800200220b0060cb006", "0x600600612c0023dd00620b0060b700600c0023dc00620b00619000644b", "0x23e000620b0060ba00612b0023df00620b0060b90060160023de00620b", "0x220b0060020090023e13e03df3de3dd0160063e100620b0063dc00644c", "0x20b0060a000635a0023e200620b00600222100200220b0060a40060f2002", "0x3e300620b0063e300604b0023e300620b0063e23e40071c10023e40a0007", "0xa000604d00200220b0060020090023e50065be00220b0073e30061c5002", "0x23e600620b0063e600602c0023e600620b00601400602f00200220b006", "0x3e700603300200220b0060020090023e80065bf3e700620b0073e6006030", "0x23ea00620b00601b0060160023e900620b00616100600c00200220b006", "0x5c000600202d0023ec00620b00600c0060410023eb00620b00601500612b", "0x20b00600c00637100200220b0063e800603300200220b006002009002002", "0xc0023f63f500720b0063f30065a50023f43f33f23f13f03ef3ee3ed014", "0x20b00601500612b0023fc00620b00601b0060160023fb00620b006161006", "0xc20b0063fe3fd3fc3fb00c5370023fe00620b0063f60064500023fd006", "0x20b0060020090023ff0065c121b00620b0073fa00618f0023fa3f93f83f7", "0x601600243d00620b0063f700600c00240000620b00621b0060be002002", "0x720b0064000065a700243e00620b0063f900612b00221a00620b0063f8", "0xc20b00643f43e21a43d00c5a800243f00620b00643f00611b00243f400", "0x20b0060020090024410065c244000620b00743c0063bc00243c403402401", "0x640100600c00244200620b00600259200200220b0064400063bd002002", "0x244700620b00644200611b00244600620b00640000611b00244500620b", "0x65c344800620b00744400618f00244444300720b0064474464450095aa", "0x640200601600244a00620b0064480060be00200220b006002009002449", "0x244f00620b0063f500645000244e00620b00640300612b00221900620b", "0x44d44c44b00920b00645044f44e21900c45100245000620b00644a00611b", "0x645300200220b0060020090024520065c445100620b00744d006452002", "0x3f03ef3ee3ed01412a00200220b00645400603300245445300720b006451", "0x44b0060160023e900620b00644300600c00245500620b0063f44533f23f1", "0x3ec00620b0064550060410023eb00620b00644c00612b0023ea00620b006", "0x604d00200220b0064560060fa00245845745600920b00615400659e002", "0x47f00720b00645900601c00245900620b00645800601900200220b006457", "0x648100601c00248100620b00600206500200220b00647f0060c4002480", "0x249b00620b00648000605400200220b0064840060c400248548400720b", "0x49c49b00702900249b00620b00649b00611b00249c00620b006485006054", "0x2b00249e00620b00600202a00200220b0060020090020025c500220b007", "0x25c600600202d00249f00620b00621600602c00221600620b00649e006", "0x620b0064a000602e0024a000620b00600202a00200220b006002009002", "0x602c0024b600620b00649f00602f00249f00620b0064b500602c0024b5", "0x60020090024b90065c74b800620b0074b60060300024b600620b0064b6", "0x3710024bb4ba00720b0063ec00607f00200220b0064b800603300200220b", "0x220b0064bd0063950024ea4d84d74d64d34d24c84bd01420b0064bb006", "0x20b0064d600639800200220b0064d300639900200220b0064c800639b002", "0x64ea00620c00200220b0064d800639600200220b0064d7006397002002", "0x3d30024fb00620b0063eb00612b0024fa00620b0063ea00601600200220b", "0x1510024f42154eb00920b0064fc4fb4fa0093d40024fc00620b0064d2006", "0x650100615200200220b00600200900250d0065c850100620b0074f4006", "0x200220b00650f00604d00252850f00720b00650e00613000250e00620b", "0x652900604d00252a52900720b00621400613000221400620b0060020ef", "0x252d52c00720b00652b00613000252b00620b0065280061b200200220b", "0x20b00652e00613000252e00620b00652a0061b200200220b00652c00604d", "0x1b200253100620b00652d0061b200200220b00652f00604d00253052f007", "0x653300604b00253300620b0065325310071c100253200620b006530006", "0x200220b0060020090025340065c900220b0075330061c500253300620b", "0x20b00653600602c00253600620b00653500602e00253500620b00600202a", "0x20b0065340060f200200220b0060020090020025ca00600202d002537006", "0x53a00602c00253a00620b00653900602b00253900620b00600202a002002", "0x21300620b00621300602c00221300620b00653700602f00253700620b006", "0x53b00603000253b00620b00653b00602c00253b00620b00621300602f002", "0x220b00653c00603300200220b00600200900253d0065cb53c00620b007", "0x65450063fb00254854754654554454354254101420b0064ba006371002", "0x56800620b0064eb00601600256700620b0063e900600c00255054d00720b", "0x56700c3fd00256e00620b0065500063fc00256d00620b00621500612b002", "0x65cc56f00620b0075660060c800256655f55655300c20b00656e56d568", "0x65720063fe00257200620b00656f0060c900200220b006002009002571", "0x57900720b00657600613000200220b00657400634900257757657400920b", "0x657b00613000257b00620b0060023f700200220b00657900604d00257a", "0x257e00620b00657a0061b200200220b00657c00604d00257d57c00720b", "0x58000604b00258000620b00657f57e0071c100257f00620b00657d0061b2", "0x220b0060020090025810065cd00220b0075800061c500258000620b006", "0x658400602c00258400620b00658300602e00258300620b00600202a002", "0x65810060f200200220b0060020090020025ce00600202d00258500620b", "0x602c00258800620b00658600602b00258600620b00600202a00200220b", "0x620b00659000602c00259000620b00658500602f00258500620b006588", "0x3300200220b0060020090025920065cf59100620b007590006030002590", "0x20b00659600604d00259759600720b00657700613000200220b006591006", "0x604d00259b59a00720b00659800613000259800620b0060020ef002002", "0x59d00720b00659c00613000259c00620b0065970061b200200220b00659a", "0x59f00613000259f00620b00659b0061b200200220b00659d00604d00259e", "0x5a700620b00659e0061b200200220b0065a100604d0025a55a100720b006", "0x604b0025aa00620b0065a85a70071c10025a800620b0065a50061b2002", "0x20b0060020090025b80065d000220b0075aa0061c50025aa00620b0065aa", "0x5bc00602c0025bc00620b0065bb00602e0025bb00620b00600202a002002", "0x5b80060f200200220b0060020090020025d100600202d0025bd00620b006", "0x2c0025d200620b00622100602b00222100620b00600202a00200220b006", "0x20b0065d300602c0025d300620b0065bd00602f0025bd00620b0065d2006", "0x300025d400620b0065d400602c0025d400620b0065d300602f0025d3006", "0x20b00600211e00200220b0060020090025d60065d522200620b0075d4006", "0x654854754654d54454354254101412a00200220b006222006033002002", "0x5da00620b00655300600c0025d95d800720b0065d700607f0025d700620b", "0x55f00612b0025dc00620b0065560060160025db00620b00600600612c002", "0x5df00620b00600f00604b0025de00620b0065d90060410025dd00620b006", "0x20b0065e05df5de5dd5dc5db5da0105b80025e000620b00601000600f002", "0x20b0075e50060ed0025d800620b0065d80060410025e55e45e35e25e1016", "0x25e900620b0065e600608e00200220b0060020090025e80065e75e6006", "0x75ea0060300025ea00620b0065ea00602c0025ea00620b0065e900602f", "0x200220b0065eb00603300200220b0060020090025ed0065ec5eb00620b", "0x65ef0064850025ef00620b0065ee5d80074840025ee00620b00600202a", "0x25f200620b0065e200612c0025f100620b0065e100600c0025f000620b", "0x65f000644c0025f400620b0065e400612b0025f300620b0065e3006016", "0x5ed00603300200220b0060020090025f55f45f35f25f10160065f500620b", "0x25bb0025f600620b00600213100200220b0065d800604700200220b006", "0x620b0065f75f600705b0025f700620b0065f700604b0025f700620b006", "0x644b0025fa00620b0065f85f900705d0025f900620b0060021350025f8", "0x620b0065e200612c0025fc00620b0065e100600c0025fb00620b0065fa", "0x644c0025ff00620b0065e400612b0025fe00620b0065e30060160025fd", "0x4700200220b0060020090026005ff5fe5fd5fc01600660000620b0065fb", "0x620b0065e100600c00260100620b0065e800644b00200220b0065d8006", "0x612b00260400620b0065e300601600260300620b0065e200612c002602", "0x60660560460360201600660600620b00660100644c00260500620b0065e4", "0x200220b0065d600603300200220b00600211e00200220b006002009002", "0x220b00654800620c00200220b00600f00604d00200220b006010006061", "0x20b00654d00639800200220b00654600639700200220b006547006396002", "0x654200639b00200220b00654300639a00200220b006544006399002002", "0x60023f600260700620b00600213100200220b00654100639500200220b", "0x60900620b00660860700705b00260800620b00660800604b00260800620b", "0x60b00644b00260b00620b00660960a00705d00260a00620b006002135002", "0x60e00620b00600600612c00260d00620b00655300600c00260c00620b006", "0x60c00644c00261000620b00655f00612b00260f00620b006556006016002", "0x211e00200220b00600200900261161060f60e60d01600661100620b006", "0x604d00200220b00601000606100200220b00659200603300200220b006", "0x39700200220b00654700639600200220b00654800620c00200220b00600f", "0x200220b00654400639900200220b00654d00639800200220b006546006", "0x220b00654100639500200220b00654200639b00200220b00654300639a", "0x620b00600250100222600620b00600213100200220b00657700604d002", "0x13500261300620b00661222600705b00261200620b00661200604b002612", "0x20b00661500644b00261500620b00661361400705d00261400620b006002", "0x1600261800620b00600600612c00261700620b00655300600c002616006", "0x20b00661600644c00222500620b00655f00612b00261900620b006556006", "0x20b00600211e00200220b00600200900261a22561961861701600661a006", "0x654800620c00200220b00600f00604d00200220b006010006061002002", "0x54d00639800200220b00654600639700200220b00654700639600200220b", "0x639b00200220b00654300639a00200220b00654400639900200220b006", "0x261b00620b00657100644b00200220b00654100639500200220b006542", "0x655600601600261d00620b00600600612c00261c00620b00655300600c", "0x662000620b00661b00644c00261f00620b00655f00612b00261e00620b", "0x3300200220b00600211e00200220b00600200900262061f61e61d61c016", "0x200220b00600f00604d00200220b00601000606100200220b00653d006", "0x22400620b0060024bd00262100620b00600213100200220b0064ba006047", "0x213500262200620b00622462100705b00222400620b00622400604b002", "0x620b00662400644b00262400620b00662262300705d00262300620b006", "0x601600262700620b00600600612c00262600620b0063e900600c002625", "0x620b00662500644c00262900620b00621500612b00262800620b0064eb", "0x220b00600211e00200220b00600200900262a62962862762601600662a", "0x20b0064ba00604700200220b00600f00604d00200220b006010006061002", "0x612c00262c00620b0063e900600c00262b00620b00650d00644b002002", "0x620b00621500612b00262e00620b0064eb00601600262d00620b006006", "0x600200900263062f62e62d62c01600663000620b00662b00644c00262f", "0x601000606100200220b0064b900603300200220b00600211e00200220b", "0x600213100200220b0063ec00604700200220b00600f00604d00200220b", "0x5b00263200620b00663200604b00263200620b0060025bc00263100620b", "0x663363400705d00263400620b00600213500263300620b006632631007", "0x263600620b0063e900600c00222300620b00663500644b00263500620b", "0x63eb00612b00263800620b0063ea00601600263700620b00600600612c", "0x900263a63963863763601600663a00620b00622300644c00263900620b", "0x606100200220b0061540065bd00200220b00600211e00200220b006002", "0x39500200220b0063f400620c00200220b00600f00604d00200220b006010", "0x200220b0063f100639800200220b0063f200639700200220b0063ed006", "0x220b0063ee00639b00200220b0063ef00639a00200220b0063f0006399", "0x600612c00263c00620b00644300600c00263b00620b00645200644b002", "0x63f00620b00644c00612b00263e00620b00644b00601600263d00620b006", "0x20b00600200900264063f63e63d63c01600664000620b00663b00644c002", "0x20b00601000606100200220b0061540065bd00200220b00600211e002002", "0x63ee00639b00200220b0063ef00639a00200220b00600f00604d002002", "0x3f200639700200220b0063ed00639500200220b0063f400620c00200220b", "0x639600200220b0063f000639900200220b0063f100639800200220b006", "0x64200620b00644300600c00264100620b00644900644b00200220b0063f5", "0x40300612b00264400620b00640200601600264300620b00600600612c002", "0x264664564464364201600664600620b00664100644c00264500620b006", "0x6100200220b0061540065bd00200220b00600211e00200220b006002009", "0x200220b0063ef00639a00200220b00600f00604d00200220b006010006", "0x220b0063ed00639500200220b0063f400620c00200220b0063ee00639b", "0x20b0063f000639900200220b0063f100639800200220b0063f2006397002", "0x644100644b00200220b0064000060c400200220b0063f5006396002002", "0x264900620b00600600612c00264800620b00640100600c00264700620b", "0x664700644c00264b00620b00640300612b00264a00620b006402006016", "0x600211e00200220b00600200900264c64b64a64964801600664c00620b", "0xf00604d00200220b00601000606100200220b0061540065bd00200220b", "0x639b00200220b0063f500639600200220b0063ef00639a00200220b006", "0x39700200220b0063ed00639500200220b0063f400620c00200220b0063ee", "0x200220b0063f000639900200220b0063f100639800200220b0063f2006", "0x600600612c00222000620b0063f700600c00264d00620b0063ff00644b", "0x265000620b0063f900612b00264f00620b0063f800601600264e00620b", "0x220b00600200900265165064f64e22001600665100620b00664d00644c", "0x20b0060a000635a00265200620b0060025d200200220b0063e50060f2002", "0x65400620b00665400604b00265400620b0066526530071c10026530a0007", "0xa000604d00200220b00600200900265600665500220b0076540061c5002", "0x265700620b00665700602c00265700620b00601400602f00200220b006", "0x65800603300200220b00600200900265a00665965800620b007657006030", "0x265c00620b00601b00601600265b00620b00616100600c00200220b006", "0x65f00600202d00265e00620b00600c00604100265d00620b00601500612b", "0x20b00600c00637100200220b00665a00603300200220b006002009002002", "0xc00266866700720b0066660065d300266621f665664663662661660014", "0x20b00601500612b00266a00620b00601b00601600266900620b006161006", "0xc20b00666c66b66a66900c53d00266c00620b00666800644d00266b006", "0x20b00600200900267300667267100620b00767000618f00267066f66e66d", "0x601600267400620b00666d00600c00221e00620b0066710060be002002", "0x720b00621e0065a700267600620b00666f00612b00267500620b00666e", "0xc20b00667767667567400c5a800267700620b00667700611b00267721e", "0x20b00600200900267e00667d67c00620b00767b0063bc00267b67a679678", "0x667800600c00267f00620b00600259200200220b00667c0063bd002002", "0x268200620b00667f00611b00268100620b00621e00611b00268000620b", "0x668668500620b00768400618f00268468300720b0066826816800095aa", "0x667900601600268800620b0066850060be00200220b006002009002687", "0x268b00620b00666700644d00268a00620b00667a00612b00268900620b", "0x21d68e68d00920b00668c68b68a68900c21900268c00620b00668800611b", "0x644f00200220b00600200900269100669068f00620b00721d00644e002", "0x66366266166001412a00200220b00669300603300269369200720b00668f", "0x68d00601600265b00620b00668300600c00269400620b00669221f665664", "0x65e00620b00669400604100265d00620b00668e00612b00265c00620b006", "0x604d00200220b0066950060fa00269769669500920b00615400659e002", "0x69900620b00669800600f00269800620b00669700605300200220b006696", "0x69d00669c69b00620b00769a00607700269a21c00720b006699006076002", "0x20b00669e00601900269e00620b00621c00601b00200220b006002009002", "0x6500200220b0066a00060c40026a16a000720b00669f00601c00269f006", "0x20b0066a30060c40026a46a300720b0066a200601c0026a200620b006002", "0x611b0026a600620b0066a40060540026a500620b0066a1006054002002", "0x20b0060020090020026a700220b0076a66a50070290026a500620b0066a5", "0x6a900602c0026a900620b0066a800602b0026a800620b00600202a002002", "0x600202a00200220b0060020090020026ab00600202d0026aa00620b006", "0x26aa00620b0066ad00602c0026ad00620b0066ac00602e0026ac00620b", "0x76ae0060300026ae00620b0066ae00602c0026ae00620b0066aa00602f", "0x200220b0066af00603300200220b0060020090026b10066b06af00620b", "0x665e00637100200220b0060020090026b30066b200220b00769b0061c5", "0x26bd6bc00720b0066b70063dd0026bb6ba6b96b86b76b66b56b401420b", "0x66bd0063de0026bf00620b00665d00612b0026be00620b00665c006016", "0x76c30061510026c36c26c100920b0066c06bf6be0093df0026c000620b", "0x6c700620b0066c400615200200220b0060020090026c60066c56c400620b", "0x60020ef00200220b0066c800604d0026c96c800720b0066c7006130002", "0x200220b0066cb00604d0026cc6cb00720b0066ca0061300026ca00620b", "0x6ce6cd0071c10026ce00620b0066cc0061b20026cd00620b0066c90061b2", "0x6d000220b0076cf0061c50026cf00620b0066cf00604b0026cf00620b006", "0x622a00602e00222a00620b00600202a00200220b0060020090026d1006", "0x20090020026d400600202d0026d300620b0066d200602c0026d200620b", "0x602b0026d500620b00600202a00200220b0066d10060f200200220b006", "0x620b0066d300602f0026d300620b00622b00602c00222b00620b0066d5", "0x6d90066d86d700620b0076d60060300026d600620b0066d600602c0026d6", "0x6bc6b66b56b401412a00200220b0066d700603300200220b006002009002", "0x6c200612b0026db00620b0066c10060160026da00620b0066bb6ba6b96b8", "0x90020026de00600202d0026dd00620b0066da0060410026dc00620b006", "0x606100200220b0066d900603300200220b00600211e00200220b006002", "0x39600200220b0066bb00620c00200220b00600f00604d00200220b006010", "0x200220b0066b800639800200220b0066b900639700200220b0066ba006", "0x220b0066b500639b00200220b0066b600639a00200220b0066bc006399", "0x620b0060023e10026df00620b00600213100200220b0066b4006395002", "0x1350026e100620b0066e06df00705b0026e000620b0066e000604b0026e0", "0x20b0066e300644b0026e300620b0066e16e200705d0026e200620b006002", "0x160026e600620b00600600612c0026e500620b00665b00600c0026e4006", "0x20b0066e400644c0026e800620b0066c200612b0026e700620b0066c1006", "0x20b00600211e00200220b0060020090026e96e86e76e66e50160066e9006", "0x66bb00620c00200220b00600f00604d00200220b006010006061002002", "0x6b800639800200220b0066b900639700200220b0066ba00639600200220b", "0x639b00200220b0066b600639a00200220b0066bc00639900200220b006", "0x26ea00620b0066c600644b00200220b0066b400639500200220b0066b5", "0x66c10060160026ec00620b00600600612c0026eb00620b00665b00600c", "0x66ef00620b0066ea00644c0026ee00620b0066c200612b0026ed00620b", "0x200220b0066b30060f200200220b0060020090026ef6ee6ed6ec6eb016", "0x665e0060410026dc00620b00665d00612b0026db00620b00665c006016", "0x6f201420b0066f10063710026f16f000720b0066dd00607f0026dd00620b", "0x20b0066f300639b00200220b0066f20063950026f96f86f76f66f56f46f3", "0x66f700639700200220b0066f600639800200220b0066f5006399002002", "0x6db00601600200220b0066f900620c00200220b0066f800639600200220b", "0x6fc00620b0066f40063d30026fb00620b0066dc00612b0026fa00620b006", "0x70000620b0076ff0061510026ff6fe6fd00920b0066fc6fb6fa0093d4002", "0x613000270300620b00670000615200200220b006002009002702006701", "0x70600620b0060020ef00200220b00670400604d00270570400720b006703", "0x7050061b200200220b00670700604d00270870700720b006706006130002", "0x220b00670900604d00270a70900720b00622e00613000222e00620b006", "0x604d00270d70c00720b00670b00613000270b00620b0067080061b2002", "0x70f00620b00670d0061b200270e00620b00670a0061b200200220b00670c", "0x61c500222d00620b00622d00604b00222d00620b00670f70e0071c1002", "0x71200620b00600202a00200220b00600200900271100671000220b00722d", "0x600202d00271400620b00671300602c00271300620b00671200602e002", "0x20b00600202a00200220b0067110060f200200220b006002009002002715", "0x2f00271400620b00671700602c00271700620b00671600602b002716006", "0x20b00671800602f00271800620b00671800602c00271800620b006714006", "0x671b71a00620b00771900603000271900620b00671900602c002719006", "0x220b00671a00603300200220b00600211e00200220b00600200900271c", "0x612c00271f00620b00665b00600c00271e71d00720b0066f000607f002", "0x620b0066fe00612b00272100620b0066fd00601600272000620b006006", "0x600f00272400620b00600f00604b00272300620b00671e006041002722", "0x72772601620b00672572472372272172071f0105d400272500620b006010", "0x220b00600200900272c00672b72a00620b0077290060ed00272922c728", "0x72e00602c00272e00620b00672d00602f00272d00620b00672a00608e002", "0x20b00600200900273100673072f00620b00772e00603000272e00620b006", "0x73271d00748400273200620b00600202a00200220b00672f006033002002", "0x73500620b00672600600c00273400620b00673300648500273300620b006", "0x22c00612b00222900620b00672800601600273600620b00672700612c002", "0x273873722973673501600673800620b00673400644c00273700620b006", "0x200220b00671d00604700200220b00673100603300200220b006002009", "0x620b00673a00604b00273a00620b00600222200273900620b006002131", "0x705d00273c00620b00600213500273b00620b00673a73900705b00273a", "0x20b00672600600c00273e00620b00673d00644b00273d00620b00673b73c", "0x12b00274100620b00672800601600274000620b00672700612c00273f006", "0x74274174073f01600674300620b00673e00644c00274200620b00622c006", "0x20b00672c00644b00200220b00671d00604700200220b006002009002743", "0x1600274600620b00672700612c00274500620b00672600600c002744006", "0x20b00674400644c00274700620b00622c00612b00222800620b006728006", "0x20b00600211e00200220b006002009002748747228746745016006748006", "0x600f00604d00200220b00601000606100200220b00671c006033002002", "0x60024bd00274900620b00600213100200220b0066f000604700200220b", "0x74b00620b00674a74900705b00274a00620b00674a00604b00274a00620b", "0x74d00644b00274d00620b00674b74c00705d00274c00620b006002135002", "0x74f00620b00600600612c00222700620b00665b00600c00274e00620b006", "0x74e00644c00275100620b0066fe00612b00275000620b0066fd006016002", "0x211e00200220b00600200900275275175074f22701600675200620b006", "0x604700200220b00600f00604d00200220b00601000606100200220b006", "0x75400620b00665b00600c00275300620b00670200644b00200220b0066f0", "0x6fe00612b00275600620b0066fd00601600275500620b00600600612c002", "0x275875775675575401600675800620b00675300644c00275700620b006", "0x6100200220b0066b100603300200220b00600211e00200220b006002009", "0x200220b00665e00604700200220b00600f00604d00200220b006010006", "0x75a00620b0060025bc00275900620b00600213100200220b00669b00604d", "0x213500275b00620b00675a75900705b00275a00620b00675a00604b002", "0x620b00675d00644b00275d00620b00675b75c00705d00275c00620b006", "0x601600276000620b00600600612c00275f00620b00665b00600c00275e", "0x620b00675e00644c00276200620b00665d00612b00276100620b00665c", "0x220b00600211e00200220b00600200900276376276176075f016006763", "0x20b00600f00604d00200220b00601000606100200220b00669d006033002", "0x20b00600213100200220b00621c00606100200220b00665e006047002002", "0x705b00276500620b00676500604b00276500620b0060025bc002764006", "0x20b00676676700705d00276700620b00600213500276600620b006765764", "0x12c00276a00620b00665b00600c00276900620b00676800644b002768006", "0x20b00665d00612b00276c00620b00665c00601600276b00620b006006006", "0x200900276e76d76c76b76a01600676e00620b00676900644c00276d006", "0x1000606100200220b0061540065bd00200220b00600211e00200220b006", "0x639600200220b00666000639500200220b00600f00604d00200220b006", "0x39900200220b00666400639800200220b00666500639700200220b00621f", "0x200220b00666100639b00200220b00666200639a00200220b006663006", "0x600600612c00277000620b00668300600c00276f00620b00669100644b", "0x277300620b00668e00612b00277200620b00668d00601600277100620b", "0x220b00600200900277477377277177001600677400620b00676f00644c", "0x220b00601000606100200220b0061540065bd00200220b00600211e002", "0x20b00666100639b00200220b00666200639a00200220b00600f00604d002", "0x666500639700200220b00621f00639600200220b006660006395002002", "0x66700620c00200220b00666300639900200220b00666400639800200220b", "0x277600620b00668300600c00277500620b00668700644b00200220b006", "0x667a00612b00277700620b00667900601600223100620b00600600612c", "0x900277977877723177601600677900620b00677500644c00277800620b", "0x606100200220b0061540065bd00200220b00600211e00200220b006002", "0x39b00200220b00666200639a00200220b00600f00604d00200220b006010", "0x200220b00621f00639600200220b00666000639500200220b006661006", "0x220b00666300639900200220b00666400639800200220b006665006397", "0x20b00667e00644b00200220b00621e0060c400200220b00666700620c002", "0x1600277b00620b00600600612c00277a00620b00667800600c002232006", "0x20b00623200644c00277d00620b00667a00612b00277c00620b006679006", "0x20b00600211e00200220b00600200900277e77d77c77b77a01600677e006", "0x600f00604d00200220b00601000606100200220b0061540065bd002002", "0x66100639b00200220b00666700620c00200220b00666200639a00200220b", "0x639700200220b00621f00639600200220b00666000639500200220b006", "0x44b00200220b00666300639900200220b00666400639800200220b006665", "0x20b00600600612c00278000620b00666d00600c00277f00620b006673006", "0x44c00278300620b00666f00612b00278200620b00666e006016002781006", "0x200220b00600200900278478378278178001600678400620b00677f006", "0x720b0060a000635a00278500620b0060025d600200220b0066560060f2", "0x278700620b00678700604b00278700620b0067857860071c10027860a0", "0x60a000604d00200220b00600200900278900678800220b0077870061c5", "0x3000278a00620b00678a00602c00278a00620b00601400602f00200220b", "0x678b00603300200220b00600200900278d00678c78b00620b00778a006", "0x12b00278f00620b00601b00601600278e00620b00616100600c00200220b", "0x279200600202d00279100620b00600c00604100279000620b006015006", "0x1420b00600c00637100200220b00678d00603300200220b006002009002", "0x600c00279c79b00720b00679a0065d300279a799798797796795794793", "0x620b00601500612b00279e00620b00601b00601600279d00620b006161", "0x7a100c20b0067a079f79e79d00c53d0027a000620b00679c00644d00279f", "0x220b0060020090027a70067a67a500620b0077a400618f0027a47a37a2", "0x7a20060160027a900620b0067a100600c0027a800620b0067a50060be002", "0x7a800720b0067a80065a70027aa00620b0067a300612b00223500620b006", "0x7ac00c20b0067ab7aa2357a900c5a80027ab00620b0067ab00611b0027ab", "0x220b0060020090027b20067b17b000620b0077af0063bc0027af7ae7ad", "0x20b0067ac00600c0027b300620b00600259200200220b0067b00063bd002", "0x5aa0027b500620b0067b300611b0027b400620b0067a800611b002234006", "0x7ba0067b97b800620b0077b700618f0027b77b600720b0067b57b4234009", "0x20b0067ad0060160027bb00620b0067b80060be00200220b006002009002", "0x11b0027be00620b00679b00644d0027bd00620b0067ae00612b0027bc006", "0x27c27c17c000920b0067bf7be7bd7bc00c2190027bf00620b0067bb006", "0x7c300644f00200220b0060020090027c50067c47c300620b0077c200644e", "0x79779679579479301412a00200220b0062330060330022337c600720b006", "0x67c000601600278e00620b0067b600600c0027c700620b0067c6799798", "0x279100620b0067c700604100279000620b0067c100612b00278f00620b", "0x7c900604d00200220b0067c80060fa0021067c97c800920b00615400659e", "0x7cc7cb00720b0067ca00601c0027ca00620b00610600601900200220b006", "0x20b0067cd00601c0027cd00620b00600206500200220b0067cb0060c4002", "0x540027d000620b0067cc00605400200220b0067ce0060c40027cf7ce007", "0x77d17d00070290027d000620b0067d000611b0027d100620b0067cf006", "0x602b0027d300620b00600202a00200220b0060020090020027d200220b", "0x20027d600600202d0027d500620b0067d400602c0027d400620b0067d3", "0x7d800620b0067d700602e0027d700620b00600202a00200220b006002009", "0x7d900602c0027d900620b0067d500602f0027d500620b0067d800602c002", "0x20b0060020090022300067db7da00620b0077d90060300027d900620b006", "0x63710027dd7dc00720b00679100607f00200220b0067da006033002002", "0x200220b0067de0063950027e57e47e37e27e17e07df7de01420b0067dd", "0x220b0067e200639800200220b0067e100639900200220b0067df00639b", "0x20b0067e500620c00200220b0067e400639600200220b0067e3006397002", "0x63d30027e700620b00679000612b0027e600620b00678f006016002002", "0x61510027eb7ea7e900920b0067e87e77e60093d40027e800620b0067e0", "0x20b00622f00615200200220b0060020090027ed0067ec22f00620b0077eb", "0xef00200220b0067ef00604d0027f07ef00720b0067ee0061300027ee006", "0x20b0067f200604d0027f37f200720b0067f10061300027f100620b006002", "0x4d0027f67f500720b0067f40061300027f400620b0067f00061b2002002", "0x720b0067f70061300027f700620b0067f30061b200200220b0067f5006", "0x61b20027fa00620b0067f60061b200200220b0067f800604d0027f97f8", "0x20b0067fc00604b0027fc00620b0067fb7fa0071c10027fb00620b0067f9", "0x2a00200220b0060020090027fe0067fd00220b0077fc0061c50027fc006", "0x620b00680000602c00280000620b0067ff00602e0027ff00620b006002", "0x220b0067fe0060f200200220b00600200900200280200600202d002801", "0x680400602c00280400620b00680300602b00280300620b00600202a002", "0x280500620b00680500602c00280500620b00680100602f00280100620b", "0x780600603000280600620b00680600602c00280600620b00680500602f", "0x200220b00680700603300200220b00600200900280900680880700620b", "0x20b00680e0063fb00281181080f80e80d80c80b80a01420b0067dc006371", "0x281500620b0067e900601600281400620b00678e00600c002813812007", "0x81581400c3fd00281700620b0068130063fc00281600620b0067ea00612b", "0x81e00681d81c00620b00781b0060c800281b81a81981800c20b006817816", "0x20b00681f0063fe00281f00620b00681c0060c900200220b006002009002", "0x82482300720b00682100613000200220b006820006349002822821820009", "0x20b00682500613000282500620b00600200000200220b00682300604d002", "0x1b200282700620b0068240061b200200220b00682600604d00223a826007", "0x682900604b00282900620b0068288270071c100282800620b00623a006", "0x200220b00600200900223b00682a00220b0078290061c500282900620b", "0x20b00682c00602c00282c00620b00682b00602e00282b00620b00600202a", "0x20b00623b0060f200200220b00600200900200282e00600202d00282d006", "0x83000602c00283000620b00682f00602b00282f00620b00600202a002002", "0x83100620b00683100602c00283100620b00682d00602f00282d00620b006", "0x603300200220b00600200900283400683383200620b007831006030002", "0x720b00680b0063d600283580a00720b00680a0063d500200220b006832", "0x83880d00720b00680d0063d800283780c00720b00680c0063d700283680b", "0x3db00283a80f00720b00680f0063da00283981200720b0068120063d9002", "0x83501412a00283c81100720b0068110063dc00283b81000720b006810006", "0x1c500200220b00683d00604700283d00620b00683c83b83a839838837836", "0x20b00680d0063dd00200220b00600200900283f00683e00220b007822006", "0x284300620b00681a00612b00284200620b006819006016002841840007", "0x284784684500920b0068448438420093df00284400620b0068410063de", "0x84800615200200220b00600200900284a00684984800620b007847006151", "0x220b00684c00604d00284d84c00720b00684b00613000284b00620b006", "0x84f00604d00285084f00720b00684e00613000284e00620b0060020ef002", "0x285200620b0068500061b200285100620b00684d0061b200200220b006", "0x8530061c500285300620b00685300604b00285300620b0068528510071c1", "0x285600620b00600202a00200220b00600200900285500685400220b007", "0x85900600202d00285800620b00685700602c00285700620b00685600602e", "0x620b00600202a00200220b0068550060f200200220b006002009002002", "0x602f00285800620b00685b00602c00285b00620b00685a00602b00285a", "0x620b00785c00603000285c00620b00685c00602c00285c00620b006858", "0x1412a00200220b00685d00603300200220b00600200900285f00685e85d", "0x86100620b00684500601600286000620b00681181080f81284080c80b80a", "0x600202d00286300620b00686000604100286200620b00684600612b002", "0x20b00685f00603300200220b00600211e00200220b006002009002002864", "0x681100620c00200220b00600f00604d00200220b006010006061002002", "0x81200639800200220b00680f00639700200220b00681000639600200220b", "0x639b00200220b00680c00639a00200220b00684000639900200220b006", "0x3e100286500620b00600213100200220b00680a00639500200220b00680b", "0x20b00686686500705b00286600620b00686600604b00286600620b006002", "0x44b00286800620b00623f86700705d00286700620b00600213500223f006", "0x20b00600600612c00286a00620b00681800600c00286900620b006868006", "0x44c00223e00620b00684600612b00286c00620b00684500601600286b006", "0x200220b00600200900286d23e86c86b86a01600686d00620b006869006", "0x200220b00600f00604d00200220b00601000606100200220b00600211e", "0x220b00680f00639700200220b00681000639600200220b00681100620c", "0x20b00680c00639a00200220b00684000639900200220b006812006398002", "0x684a00644b00200220b00680a00639500200220b00680b00639b002002", "0x287000620b00600600612c00286f00620b00681800600c00286e00620b", "0x686e00644c00287200620b00684600612b00287100620b006845006016", "0x83f0060f200200220b00600200900223d87287187086f01600623d00620b", "0x1600287300620b00681181080f81280d80c80b80a01412a00200220b006", "0x20b00687300604100286200620b00681a00612b00286100620b006819006", "0x600c00287587400720b00686300607f00200220b00600211e002863006", "0x620b00686100601600287700620b00600600612c00287600620b006818", "0x604b00287a00620b00687500604100287900620b00686200612b002878", "0x8798788778760105d400287c00620b00601000600f00287b00620b00600f", "0x88388200620b0078810060ed00288188087f87e87d01620b00687c87b87a", "0x88400602f00288400620b00688200608e00200220b00600200900223c006", "0x88600620b00788500603000288500620b00688500602c00288500620b006", "0x600202a00200220b00688600603300200220b006002009002888006887", "0x88b00620b00688a00648500288a00620b00688987400748400288900620b", "0x87f00601600288d00620b00687e00612c00288c00620b00687d00600c002", "0x89000620b00688b00644c00288f00620b00688000612b00288e00620b006", "0x220b00688800603300200220b00600200900289088f88e88d88c016006", "0x620b00600222200289100620b00600213100200220b006874006047002", "0x13500289300620b00689289100705b00289200620b00689200604b002892", "0x20b00689500644b00289500620b00689389400705d00289400620b006002", "0x1600289800620b00687e00612c00289700620b00687d00600c002896006", "0x20b00689600644c00289900620b00688000612b00223900620b00687f006", "0x687400604700200220b00600200900289a89923989889701600689a006", "0x12c00289c00620b00687d00600c00289b00620b00623c00644b00200220b", "0x20b00688000612b00289e00620b00687f00601600289d00620b00687e006", "0x20090028a089f89e89d89c0160068a000620b00689b00644c00289f006", "0x1000606100200220b00683400603300200220b00600211e00200220b006", "0x639500200220b00680b00639b00200220b00600f00604d00200220b006", "0x39700200220b00681000639600200220b00681100620c00200220b00680a", "0x200220b00680c00639a00200220b00681200639800200220b00680f006", "0x8a100620b00600213100200220b00682200604d00200220b00680d006399", "0x8a28a100705b0028a200620b0068a200604b0028a200620b006002501002", "0x8a500620b0068a38a400705d0028a400620b0060021350028a300620b006", "0x600612c0028a700620b00681800600c0028a600620b0068a500644b002", "0x23800620b00681a00612b0028a900620b0068190060160028a800620b006", "0x20b0060020090028aa2388a98a88a70160068aa00620b0068a600644c002", "0x20b00600f00604d00200220b00601000606100200220b00600211e002002", "0x681100620c00200220b00680a00639500200220b00680b00639b002002", "0x81200639800200220b00680f00639700200220b00681000639600200220b", "0x644b00200220b00680d00639900200220b00680c00639a00200220b006", "0x620b00600600612c0028ac00620b00681800600c0028ab00620b00681e", "0x644c0028af00620b00681a00612b0028ae00620b0068190060160028ad", "0x11e00200220b0060020090028b08af8ae8ad8ac0160068b000620b0068ab", "0x4d00200220b00601000606100200220b00680900603300200220b006002", "0x28b100620b00600213100200220b0067dc00604700200220b00600f006", "0x68b28b100705b0028b200620b0068b200604b0028b200620b0060024bd", "0x28b400620b0062378b300705d0028b300620b00600213500223700620b", "0x600600612c0028b600620b00678e00600c0028b500620b0068b400644b", "0x28b900620b0067ea00612b0028b800620b0067e90060160028b700620b", "0x220b0060020090028ba8b98b88b78b60160068ba00620b0068b500644c", "0x220b00600f00604d00200220b00601000606100200220b00600211e002", "0x678e00600c0028bb00620b0067ed00644b00200220b0067dc006047002", "0x28be00620b0067e90060160028bd00620b00600600612c0028bc00620b", "0x8be8bd8bc0160068c000620b0068bb00644c0028bf00620b0067ea00612b", "0x20b00623000603300200220b00600211e00200220b0060020090028c08bf", "0x679100604700200220b00600f00604d00200220b006010006061002002", "0x8c200604b0028c200620b0060025bc0028c100620b00600213100200220b", "0x23600620b0060021350028c300620b0068c28c100705b0028c200620b006", "0x600c0028c500620b0068c400644b0028c400620b0068c323600705d002", "0x620b00678f0060160028c700620b00600600612c0028c600620b00678e", "0x8c60160068ca00620b0068c500644c0028c900620b00679000612b0028c8", "0x1540065bd00200220b00600211e00200220b0060020090028ca8c98c88c7", "0x639500200220b00600f00604d00200220b00601000606100200220b006", "0x39800200220b00679800639700200220b00679900639600200220b006793", "0x200220b00679500639a00200220b00679600639900200220b006797006", "0x20b0067b600600c0028cb00620b0067c500644b00200220b00679400639b", "0x12b0028ce00620b0067c00060160028cd00620b00600600612c0028cc006", "0x8cf8ce8cd8cc0160068d000620b0068cb00644c0028cf00620b0067c1006", "0x220b0061540065bd00200220b00600211e00200220b0060020090028d0", "0x20b00679500639a00200220b00600f00604d00200220b006010006061002", "0x679900639600200220b00679300639500200220b00679400639b002002", "0x79600639900200220b00679700639800200220b00679800639700200220b", "0xc0028d100620b0067ba00644b00200220b00679b00620c00200220b006", "0x20b0067ad0060160028d300620b00600600612c0028d200620b0067b6006", "0x160068d600620b0068d100644c0028d500620b0067ae00612b0028d4006", "0x65bd00200220b00600211e00200220b0060020090028d68d58d48d38d2", "0x39a00200220b00600f00604d00200220b00601000606100200220b006154", "0x200220b00679300639500200220b00679400639b00200220b006795006", "0x220b00679700639800200220b00679800639700200220b006799006396", "0x20b0067a80060c400200220b00679b00620c00200220b006796006399002", "0x612c0028d800620b0067ac00600c0028d700620b0067b200644b002002", "0x620b0067ae00612b0028da00620b0067ad0060160028d900620b006006", "0x60020090028dc8db8da8d98d80160068dc00620b0068d700644c0028db", "0x601000606100200220b0061540065bd00200220b00600211e00200220b", "0x79b00620c00200220b00679500639a00200220b00600f00604d00200220b", "0x639600200220b00679300639500200220b00679400639b00200220b006", "0x39900200220b00679700639800200220b00679800639700200220b006799", "0x620b0067a100600c0028dd00620b0067a700644b00200220b006796006", "0x612b0028e000620b0067a20060160028df00620b00600600612c0028de", "0x8e28e18e08df8de0160068e200620b0068dd00644c0028e100620b0067a3", "0x220b0061540065bd00200220b0067890060f200200220b006002009002", "0x8e300604d0028e48e300720b0060a000613000200220b0060140060d0002", "0x28e78e600720b0068e50061300028e500620b0060025d700200220b006", "0x20b0068e80061300028e800620b0068e40061b200200220b0068e600604d", "0x1300028eb00620b0068e70061b200200220b0068e900604d0028ea8e9007", "0x20b0068ea0061b200200220b0068ec00604d0028ed8ec00720b0068eb006", "0x28f000620b0068ef8ee0071c10028ef00620b0068ed0061b20028ee006", "0x20090028f20068f100220b0078f00061c50028f000620b0068f000604b", "0x2c0028f400620b0068f300602e0028f300620b00600202a00200220b006", "0xf200200220b0060020090020028f500600202d00224300620b0068f4006", "0x8f700620b0068f600602b0028f600620b00600202a00200220b0068f2006", "0x8f800602c0028f800620b00624300602f00224300620b0068f700602c002", "0x24400620b00624400602c00224400620b0068f800602f0028f800620b006", "0x603300200220b0060020090028fb0068fa8f900620b007244006030002", "0x600211e00200220b0060020090020028fc00600202d00200220b0068f9", "0x1000606100200220b00600c00604700200220b0068fb00603300200220b", "0x25d80028fd00620b00600213100200220b00600f00604d00200220b006", "0x620b0068fe8fd00705b0028fe00620b0068fe00604b0028fe00620b006", "0x644b00290100620b0068ff90000705d00290000620b0060021350028ff", "0x620b00600600612c00290300620b00616100600c00290200620b006901", "0x644c00290600620b00601500612b00290500620b00601b006016002904", "0xf200200220b00600200900290790690590490301600690700620b006902", "0x200220b0060140060d000200220b0061540065bd00200220b00609b006", "0x620b00601b00601600207f00620b00616100600c00200220b00600211e", "0x12c00290a00620b00607f00600c00290990800720b00600c00607f0020c7", "0x20b00601500612b00290c00620b0060c700601600290b00620b006006006", "0xf00290f00620b00600f00604b00290e00620b00690900604100290d006", "0x91101620b00691090f90e90d90c90b90a0103f900291000620b006010006", "0x20b00600200900291800691791600620b0079150063bc002915914913912", "0x91990800748400291900620b00600202a00200220b0069160063bd002002", "0x91c00620b00691100600c00291b00620b00691a00648500291a00620b006", "0x91400612b00291e00620b00691300601600291d00620b00691200612c002", "0x292091f91e91d91c01600692000620b00691b00644c00291f00620b006", "0x92100620b00691800644b00200220b00690800604700200220b006002009", "0x91300601600292300620b00691200612c00292200620b00691100600c002", "0x92600620b00692100644c00292500620b00691400612b00292400620b006", "0x200220b00600211e00200220b006002009002926925924923922016006", "0x220b00600f00604d00200220b00601000606100200220b00602d0060fa", "0x20b00616200644b00200220b0060140060d000200220b00600c006047002", "0x1600292900620b00600600612c00292800620b00616100600c002927006", "0x20b00692700644c00292b00620b00601500612b00292a00620b00601b006", "0x20b00600211e00200220b00600200900292c92b92a92992801600692c006", "0x601000606100200220b00600c00604700200220b006139006033002002", "0x1600639c00200220b00602d0060fa00200220b00600f00604d00200220b", "0x231300292d00620b00600213100200220b0060140060d000200220b006", "0x620b00692e92d00705b00292e00620b00692e00604b00292e00620b006", "0x644b00293000620b00624892f00705d00292f00620b006002135002248", "0x620b00600600612c00293200620b00600200600c00293100620b006930", "0x644c00224700620b00601500612b00293400620b00601b006016002933", "0x11e00200220b00600200900293524793493393201600693500620b006931", "0x4d00200220b00601000606100200220b00600c00604700200220b006002", "0x200220b00601600639c00200220b0060140060d000200220b00600f006", "0x600600612c00293700620b00600200600c00293600620b00605400644b", "0x293a00620b00601500612b00293900620b00601b00601600293800620b", "0x220b00600211e00224693a93993893701600624600620b00693600644c", "0x20b00600200600c00201600620b0060020ef00200c00620b0060025d9002", "0xfc00201900620b00600700612b00201b00620b006006006016002017006", "0x20b00600c0065e10020c400620b00601600604b00201c00620b006009006", "0x5e300201501401000f00c20b0060650c401c01901b01700f5e2002065006", "0x60540065e400200220b00600200900211b00693b05400620b007015006", "0x220b00602b00604d00200220b00602900639c00202c02b02a02900c20b", "0x602d0065da00202d00620b00602a0065e500200220b00602c006033002", "0x203000620b00601000601600202f00620b00600f00600c00202e00620b", "0x3303002f00c00604800620b00602e0065db00203300620b00601400612b", "0x600f00600c00203900620b00611b0065dc00200220b006002009002048", "0x203700620b00601400612b00211e00620b00601000601600203500620b", "0x620b00600c00630b00212003711e03500c00612000620b0060390065db", "0x600213100201000620b00600213100201600620b00600f0065dd00200f", "0x200220b0060150065df00201701500720b0060160065de00201400620b", "0x60170065e000206500620b0060060060160020c400620b00600200600c", "0x202900620b00601400604e00211b00620b00601000604e00205400620b", "0x200220b00600200600201c01901b00920b00602911b0540650c40165e6", "0x2a0065e900200220b00600200900202b00693c02a00620b00701c0065e8", "0x720b00602c00613200200220b00602e00603300202e02d02c00920b006", "0x613200203300620b00603000605300200220b00602f00605100203002f", "0x620b00603900605300200220b00604800605100203904800720b00602d", "0xc5ea00203500620b00603500600f00203300620b00603300600f002035", "0x220b00600200900203a10d12000993d03711e00720b007035033007019", "0x611e00601600212400620b00603c0063b700203c00620b00600202a002", "0x212a00620b0061240063b800203e00620b00603700612b00207d00620b", "0x212c00620b00603a0063b900200220b00600200900200293e00600202d", "0x612c0063b800203e00620b00610d00612b00207d00620b006120006016", "0x212b00620b0060410063bb00204100620b00612a0063ba00212a00620b", "0x600211e00200220b00600200900212d00693f04300620b00712b0063bc", "0x212e00620b00604500900748400204500620b0060430065eb00200220b", "0x607d00601600213100620b00601b00600c00204700620b00612e006485", "0x604b00620b00604700644c00204d00620b00603e00612b00213000620b", "0x604700200220b00600211e00200220b00600200900204b04d13013100c", "0x4f00620b00601b00600c00204e00620b00612d00644b00200220b006009", "0x4e00644c00205100620b00603e00612b00213200620b00607d006016002", "0x600211e00200220b00600200900205305113204f00c00605300620b006", "0x600c00212f00620b00602b00644b00200220b00600900604700200220b", "0x620b00600700612b00213300620b00601900601600205600620b00601b", "0x20b0060025ed00213605813305600c00613600620b00612f00644c002058", "0x600f00603900200f00620b00600204800200220b006002139002016006", "0x900201701500794001401000720b00700f00600200903500200f00620b", "0x1000620b00601000600c00201b00620b0060070065ee00200220b006002", "0x5f000200220b0060020090020c400694101c01900720b00701b0065ef002", "0x20b0060650065f100205400620b00601900606f00206500620b00601c006", "0x620b00600202a00200220b00600200900200294200600202d00211b006", "0x65f100205400620b0060c400606f00202a00620b0060290065f2002029", "0x620b00600c00631600200c00620b00605400630900211b00620b00602a", "0x694302b00620b00711b0065f400200c00620b00600c0160075f300200c", "0x620b00602b0065f500200220b00600211e00200220b00600200900202c", "0x600f00204800620b00601400601600203300620b00601000600c00202d", "0x3503904803300c5f600203500620b00600900604e00203900620b00602d", "0x200900203700694411e00620b00703000607100203002f02e00920b006", "0x200220b00610d00603300210d12000720b00611e00614100200220b006", "0x600c00631600203e00620b00602f00601600207d00620b00602e00600c", "0x20b00612c12a03e07d00c31700212c00620b00612000604e00212a00620b", "0x20b00600200900204100694512b00620b00712400607100212403c03a009", "0x600c00200220b00612d00603300212d04300720b00612b006141002002", "0x620b00604300604e00212e00620b00603c00601600204500620b00603a", "0x620b00604100631c00200220b00600200900200294600600202d002047", "0x631b00204d00620b00603c00601600213000620b00603a00600c002131", "0xc0065f700200220b00600200900204b04d13000900604b00620b006131", "0x204f00620b00602e00600c00204e00620b00603700631c00200220b006", "0x5113204f00900605100620b00604e00631b00213200620b00602f006016", "0x200220b00602c00603300200220b00600211e00200220b006002009002", "0x20b00601400601600204500620b00601000600c00200220b00600c0065f7", "0x731900205300620b00600202a00204700620b00600900604e00212e006", "0x20b00604500600c00205600620b00612f00631a00212f00620b006053047", "0x900613600620b00605600631b00205800620b00612e006016002133006", "0x60160065f800200220b00600211e00200220b006002009002136058133", "0x600213100200220b0060070065f700200220b00600900605100200220b", "0x5b00205b00620b00605b00604b00205b00620b00600213400213400620b", "0x613505d00705d00205d00620b00600213500213500620b00605b134007", "0x206100620b00601500600c00205f00620b00613700631c00213700620b", "0x6413806100900606400620b00605f00631b00213800620b006017006016", "0x620b00601600603900201600620b00600204800200220b00600211e002", "0x600200900201501400794701000f00720b007016006002009035002016", "0x200f00620b00600f00600c00201700c00720b00600c00635a00200220b", "0x600c00604d00200220b00600200900201b00694800220b0070170061c5", "0x201c00620b00601900700732800201900620b0060090065f900200220b", "0x601000601600206500620b00600f00600c0020c400620b00601c006329", "0x600200900211b05406500900611b00620b0060c400632a00205400620b", "0x607600202b00620b00600700600f00200220b00601b0060f200200220b", "0x200900202d00694902c00620b00702a00607700202a02900720b00602b", "0x202f00620b00600200000202e00620b00602c00900705b00200220b006", "0x1000601600203500620b00600f00600c00203000620b00602f00c0071c1", "0x12000620b00602e00604e00203700620b00602900600f00211e00620b006", "0x3300920b00610d12003711e03501632600210d00620b00603000604b002", "0x200220b00600200900203c00694a03a00620b00703900614b002039048", "0x632900203e00620b00607d12400732800207d12400720b00603a00607b", "0x620b00604800601600212c00620b00603300600c00212a00620b00603e", "0x220b00600200900204112b12c00900604100620b00612a00632a00212b", "0x4800601600212d00620b00603300600c00204300620b00603c00632b002", "0x200900212e04512d00900612e00620b00604300632a00204500620b006", "0x632c00200220b00600900605100200220b00600c00604d00200220b006", "0x20b00613100632900213100620b00604702900732800204700620b00602d", "0x32a00204b00620b00601000601600204d00620b00600f00600c002130006", "0x604d00200220b00600200900204e04b04d00900604e00620b006130006", "0x13100200220b00600700606100200220b00600900605100200220b00600c", "0x13200620b00613200604b00213200620b00600213400204f00620b006002", "0x5300705d00205300620b00600213500205100620b00613204f00705b002", "0x620b00601400600c00205600620b00612f00632b00212f00620b006051", "0x13300900613600620b00605600632a00205800620b006015006016002133", "0x5fa00201700620b00600f00600f00201500620b00600200600c002136058", "0x201900694b01b00620b0070140065fb00201401000720b006017015007", "0x720b00601c0065fd00201c00620b00601b0065fc00200220b006002009", "0x1600202d00620b00600600612c00202c00620b00601000600c0020650c4", "0x20b00600c0065fe00202f00620b00600900612b00202e00620b006007006", "0x3301600720b00601600635a00203000620b00603000604100203000c007", "0x2c0105d400204800620b0060c400600f00203300620b00603300604b002", "0x20b00702b0060ed00202b02a02911b05401620b00604803303002f02e02d", "0x211e00620b00603900608e00200220b00600200900203500694c039006", "0x703700603000203700620b00603700602c00203700620b00611e00602f", "0x200220b00612000603300200220b00600200900210d00694d12000620b", "0x12a03e07d12403c01420b00603a00637100203a00c00720b00600c0065fe", "0x639900200220b00612400639b00200220b00603c00639500204112b12c", "0x39600200220b00612c00639700200220b00612a00639800200220b00603e", "0x12e00620b00602900601600200220b00604100620c00200220b00612b006", "0x12e0093d400213100620b00607d0063d300204700620b00602a00612b002", "0x204d00694e13000620b00704500615100204512d04300920b006131047", "0x220b00704b0061c500204b00620b00613000615200200220b006002009", "0xc00604700200220b00601600604d00200220b00600200900204e00694f", "0x213200620b00604f00601900204f00620b00606500601b00200220b006", "0x20b00600206500200220b0060510060c400205305100720b00613200601c", "0x5400200220b0060560060c400213305600720b00612f00601c00212f006", "0x20b00605800611b00213600620b00613300605400205800620b006053006", "0x2a00200220b00600200900200295000220b007136058007029002058006", "0x620b00605b00602c00205b00620b00613400602b00213400620b006002", "0x5d00620b00600202a00200220b00600200900200295100600202d002135", "0x5400600c00213500620b00613700602c00213700620b00605d00602e002", "0x13800620b00604300601600206100620b00611b00612c00205f00620b006", "0x600202d00213900620b00613500602c00206400620b00612d00612b002", "0x605400600c00200220b00604e0060f200200220b006002009002002952", "0x213f00620b00604300601600206f00620b00611b00612c00213c00620b", "0x601600604b00214100620b00600c00604100207100620b00612d00612b", "0x14514107113f06f13c0105b800207500620b00606500600f00214500620b", "0x7700695307600620b00706c0060ed00206c06a06913b06701620b006075", "0x20b00606700600c00207900620b00607600608e00200220b006002009002", "0x12b00213800620b00606900601600206100620b00613b00612c00205f006", "0x20b0061390063a800213900620b00607900602c00206400620b00606a006", "0x12c00207b00620b00605f00600c00214b00620b0061460063a9002146006", "0x20b00606400612b00207f00620b00613800601600214a00620b006061006", "0x20090021510c707f14a07b01600615100620b00614b0063aa0020c7006", "0x214e00620b00606700600c00215200620b0060770063ab00200220b006", "0x606a00612b00208300620b00606900601600214f00620b00613b00612c", "0x900215008508314f14e01600615000620b0061520063aa00208500620b", "0x4700200220b00601600604d00200220b00606500606100200220b006002", "0x620b00605400600c00215e00620b00604d0063ab00200220b00600c006", "0x612b00215f00620b00604300601600216000620b00611b00612c002161", "0x16315d15f16016101600616300620b00615e0063aa00215d00620b00612d", "0x220b00600c00604700200220b00610d00603300200220b006002009002", "0x620b00600202a00200220b00606500606100200220b00601600604d002", "0x63a900208700620b0061620063a800216200620b00615c00602b00215c", "0x620b00611b00612c00215700620b00605400600c00215400620b006087", "0x63aa00216e00620b00602a00612b00215b00620b00602900601600208a", "0x4700200220b00600200900216816e15b08a15701600616800620b006154", "0x200220b00606500606100200220b00601600604d00200220b00600c006", "0x611b00612c00208e00620b00605400600c0020ed00620b0060350063ab", "0x216c00620b00602a00612b0020d000620b00602900601600216b00620b", "0x220b00600200900209216c0d016b08e01600609200620b0060ed0063aa", "0x20b0060190063ab00200220b00601600604d00200220b00600c006047002", "0x1600209400620b00600600612c00217100620b00601000600c00216d006", "0x20b00616d0063aa00209600620b00600900612b00217300620b006007006", "0x607600200c00620b00600600600f002175096173094171016006175006", "0x200900200f00695401600620b00700900607700200900700720b00600c", "0x600200900201500695501401000720b0070160020075ff00200220b006", "0xf00201b00620b00601000600c00201700620b00601400660000200220b", "0x201c01901b00900601c00620b00601700660100201900620b006007006", "0x6500620b0060c40066020020c400620b00600202a00200220b006002009", "0x6500660100211b00620b00600700600f00205400620b00601500600c002", "0x600f00660200200220b00600200900202911b05400900602900620b006", "0x202c00620b00600700600f00202b00620b00600200600c00202a00620b", "0x700620b00600600601b00202d02c02b00900602d00620b00602a006601", "0x1a300200220b00600200900201600695600c00900720b0070070060db002", "0x20b00600f0061a400201000620b00600900609900200f00620b00600c006", "0x620b00600202a00200220b00600200900200295700600202d002014006", "0x61a400201000620b00601600609900201700620b0060150061a5002015", "0x620b00601b00600f00201b00620b00601000605300201400620b006017", "0x1a600200220b00600200900201c00695801900620b0070140060df00201b", "0x20b00600200600c00206500620b0060c40061b20020c400620b006019006", "0x11b05400720b00602a02900760300202a00620b00606500604b002029006", "0x660400200220b00600200900202c00695902b00620b00711b00633b002", "0x620b00601b00600f00202e00620b00605400600c00202d00620b00602b", "0x220b00600200900203002f02e00900603000620b00602d00660500202f", "0x1b00600f00204800620b00605400600c00203300620b00602c006606002", "0x200900203503904800900603500620b00603300660500203900620b006", "0x660600211e00620b00600202a00200220b00601c00603300200220b006", "0x620b00601b00600f00212000620b00600200600c00203700620b00611e", "0x220b00600211e00203a10d12000900603a00620b00603700660500210d", "0xf00695a01600c00720b0070090060db00200900620b00600700601b002", "0x20b00600c00609900201000620b0060160061a300200220b006002009002", "0x600200900200295b00600202d00201500620b0060100061a4002014006", "0x609900201b00620b0060170061a500201700620b00600202a00200220b", "0x620b00601400605300201500620b00601b0061a400201400620b00600f", "0xc400695c01c00620b0070150060df00201900620b00601900600f002019", "0x20b0060650061b200206500620b00601c0061a600200220b006002009002", "0x601600202c00620b00600200600c00211b00620b0060021ad002054006", "0x620b00611b00604300202e00620b00601900600f00202d00620b006006", "0x920b00603002f02e02d02c0161ae00203000620b00605400604b00202f", "0x220b00600200900204800695d03300620b00702b00601400202b02a029", "0x3700695e11e00620b00703500601700203503900720b006033006015002", "0x612000613600210d12000720b00611e0060f800200220b006002009002", "0x60800203c00620b00603a00660700203a00620b00610d0061d600200220b", "0x602900600c00207d00620b00612400660900212400620b00603c039007", "0x612c00620b00607d00660a00212a00620b00602a00601600203e00620b", "0x60800212b00620b00603700660b00200220b00600200900212c12a03e009", "0x602900600c00204300620b00604100660900204100620b00612b039007", "0x612e00620b00604300660a00204500620b00602a00601600212d00620b", "0xc00204700620b00604800660c00200220b00600200900212e04512d009", "0x20b00604700660a00213000620b00602a00601600213100620b006029006", "0x220b0060c400603300200220b00600200900204d13013100900604d006", "0x4e01900760800204e00620b00604b00660b00204b00620b00600202a002", "0x5100620b00600200600c00213200620b00604f00660900204f00620b006", "0x5305100900612f00620b00613200660a00205300620b006006006016002", "0x760d00200f00620b00600600612b00201600620b00600200601600212f", "0x201400695f01000620b00700c00660e00200c00900700920b00600f016", "0x620b00601500661000201500620b00601000660f00200220b006002009", "0xfa00200220b00601b00634900201c01901b00920b006017006611002017", "0x620b0060c40066120020c400620b00601900622600200220b00601c006", "0x661300211b00620b00600900612b00205400620b006007006016002065", "0x1400661400200220b00600200900202911b05400900602900620b006065", "0x2c00620b00600900612b00202b00620b00600700601600202a00620b006", "0x620b00600200600c00202d02c02b00900602d00620b00602a006613002", "0x604b00201b00620b00600c00637300201700620b00600700615d002015", "0x6500201401000f00920b00601901b01701500c61500201900620b006016", "0x620b00600900612b00211b00620b00600600601600201c00620b006002", "0xc61700202b00620b00601400661600202a00620b00601c00611b002029", "0x61900202d00620b0060540066180020540650c400920b00602b02a02911b", "0x200900202f00696002e00620b00702c0060ed00202c00620b00602d006", "0x203300620b0060300063a800203000620b00602e00608e00200220b006", "0x60c400601600203900620b00600f00600c00204800620b0060330063a9", "0x203700620b00606500612b00211e00620b00601000615d00203500620b", "0x220b00600200900212003711e03503901600612000620b0060480063aa", "0xc400601600203a00620b00600f00600c00210d00620b00602f0063ab002", "0x7d00620b00606500612b00212400620b00601000615d00203c00620b006", "0x600200601600203e07d12403c03a01600603e00620b00610d0063aa002", "0x700920b00600f01600757600200f00620b00600600612b00201600620b", "0x200220b00600200900201400696101000620b00700c00657700200c009", "0x601700657b00201700620b00601500657a00201500620b006010006579", "0x20b00601900657d00200220b00601b00657c0020650c401c01901b01620b", "0x60c400657e00200220b00606500604d00200220b00601c0060fa002002", "0x202900620b00600700601600211b00620b00605400657f00205400620b", "0x2b02a02900900602b00620b00611b00658000202a00620b00600900612b", "0x20b00600700601600202c00620b00601400658100200220b006002009002", "0x900602f00620b00602c00658000202e00620b00600900612b00202d006", "0x35500200c00900720b00600900622500200220b00600211e00202f02e02d", "0x604d00200220b0060160060fa00201501401000f01601620b00600c006", "0x61a00200220b00601400634900200220b00601000634900200220b00600f", "0x620b00600200600c00201b00620b0060020ef00201700620b006015006", "0x60fc00202900620b00600700615d00211b00620b006006006016002054", "0x2a02911b05401661b00202b00620b00601b00604b00202a00620b006017", "0x202d00696202c00620b00706500661c0020650c401c01900c20b00602b", "0x602e00639c00203002f02e00920b00602c00661d00200220b006002009", "0x35500203300900720b00600900622500200220b00603000603300200220b", "0x604d00200220b0060480060fa00203711e03503904801620b006033006", "0x61a00200220b00611e00634900200220b00603500634900200220b006039", "0x20b00610d00659100210d00620b00612000659000212000620b006037006", "0x37b00203c00620b00603c00604b00203c00620b00603a00653c00203a006", "0x600261e00203e00620b0060020ef00207d12400720b00603c02f0c4009", "0x212a00620b00612a00604b00203e00620b00603e00604b00212a00620b", "0x204100900720b00600900622500212b12c00720b00612a03e12400937b", "0x34900200220b00612d00604d00204712e04512d04301620b006041006355", "0x200220b00604700639c00200220b00612e00634900200220b006045006", "0x612b00604b00213000620b0061310061bf00213100620b006043006361", "0x20b00600900622500204b04d00720b00613012b12c00937b00212b00620b", "0x604f0060fa00212f05305113204f01620b00604e00635500204e009007", "0x12f00639c00200220b00605300634900200220b00605100634900200220b", "0x204b00620b00604b00604b00205600620b0061320061b200200220b006", "0x213600900720b00600900622500205813300720b00605604b04d00937b", "0x4d00200220b0061340060fa00213705d13505b13401620b006136006355", "0x200220b00613700639c00200220b00605d00634900200220b00605b006", "0x605800604b00206100620b00605f00662000205f00620b00613500661f", "0x20b00600900622500206413800720b00606105813300937b00205800620b", "0x60670060fa00206c06a06913b06701620b006139006355002139009007", "0x6c00639c00200220b00606900634900200220b00613b00604d00200220b", "0x206f00620b00613c00662000213c00620b00606a00661f00200220b006", "0x35500207113f00720b00606f06413800937b00206400620b00606400604b", "0x604d00200220b0061410060fa00207707607514514101620b006009006", "0x61a00200220b00607600634900200220b00607500634900200220b006145", "0x20b00614600659100214600620b00607900659000207900620b006077006", "0x4b00207100620b00607100604b00207b00620b00614b00653c00214b006", "0x604b00207f14a00720b00607b07113f00937b00207b00620b00607b006", "0x607d07f14a00937b00207d00620b00607d00604b00207f00620b00607f", "0x215100620b00615100604b00215200620b0060026210021510c700720b", "0x33100214f14e00720b0061521510c700937b00215200620b00615200604b", "0x20b00601900600c00208500620b00608300633200208300620b00614f006", "0x21200216100620b00614e00615d00215e00620b00601c006016002150006", "0x8a00200220b00600200900216016115e15000c00616000620b006085006", "0x620b00601900600c00215f00620b00602d00633300200220b006009006", "0x621200215c00620b0060c400615d00216300620b00601c00601600215d", "0x1401000720b00600c00637200216215c16315d00c00616200620b00615f", "0x1400637300201c00620b00600700615d00201900620b00600200600c002", "0x60650c401c01900c61500206500620b00601600604b0020c400620b006", "0x11b00620b00700f00603000205400620b00600206500201b01701500920b", "0x60020ef00200220b00611b00603300200220b006002009002029006963", "0x200900200296400600202d00202b00620b00602a00604b00202a00620b", "0x604b00202c00620b00600200000200220b00602900603300200220b006", "0x620b00605400611b00202d00620b00601b00622400202b00620b00602c", "0x204803303000996502f02e00720b00702b02d054009006016622002054", "0x3500620b0060390063b700203900620b00600202a00200220b006002009", "0x350063b800203700620b00602f00612b00211e00620b00602e006016002", "0x480063b900200220b00600200900200296600600202d00212000620b006", "0x3700620b00603300612b00211e00620b00603000601600210d00620b006", "0x3c0063bb00203c00620b0061200063ba00212000620b00610d0063b8002", "0x20b00600200900207d00696712400620b00703a0063bc00203a00620b006", "0x62400212a00620b00603e01000762300203e00620b0061240065eb002002", "0x20b00611e00601600212b00620b00601500600c00212c00620b00612a006", "0x62500212d00620b00603700612b00204300620b00601700615d002041006", "0x200220b00600200900204512d04304112b01600604500620b00612c006", "0x20b00601500600c00212e00620b00607d00662600200220b006010006397", "0x12b00213000620b00601700615d00213100620b00611e006016002047006", "0x4d13013104701600604b00620b00612e00662500204d00620b006037006", "0x604d00200f01600720b00600900613000200c00620b00600213100204b", "0x1700620b00600c00604e00201500620b00600f00604b00200220b006016", "0x662700200220b00601400603300201401000720b00601701500704f002", "0x20b00601900605100201c01900720b00601000613200201b00620b006007", "0x6500604b00206500620b0060026280020c400620b00601c006053002002", "0xc406501b0060020166290020c400620b0060c400600f00206500620b006", "0x662a00200220b00600200900202c02b02a00996802911b05400920b007", "0x620b00611b00612b00202e00620b00605400601600202d00620b006029", "0x20b00600200900200296900600202d00203000620b00602d00662b00202f", "0x612b00202e00620b00602a00601600203300620b00602c00662c002002", "0x620b00603000662d00203000620b00603300662b00202f00620b00602b", "0x11e00696a03500620b00704800662f00204800620b00603900662e002039", "0x20b00603700600f00203700620b00603500663000200220b006002009002", "0x63200200220b00612000606100210d12000720b00603a00663100203a006", "0x603c0063a800200220b00600200900212400696b03c00620b00710d006", "0x212a00620b00602e00601600203e00620b00607d0063a900207d00620b", "0x12b12c12a00900612b00620b00603e0063aa00212c00620b00602f00612b", "0x4100620b00600213100200220b00612400603300200220b006002009002", "0x4304100705b00204300620b00604300604b00204300620b006002633002", "0x12e00620b00612d04500705d00204500620b00600213500212d00620b006", "0x2f00612b00213100620b00602e00601600204700620b00612e0063ab002", "0x200900204d13013100900604d00620b0060470063aa00213000620b006", "0x204e00620b00602e00601600204b00620b00611e0063ab00200220b006", "0x13204f04e00900613200620b00604b0063aa00204f00620b00602f00612b", "0x663500200220b00600200900200700696c00600620b007002006634002", "0x620b00600c00663600200c00620b00600900622300200900620b006006", "0x705d00200f00620b00600213500200220b006002009002016006006016", "0x20b00601400663600201400620b00601000663700201000620b00600700f", "0x620b00600f00663800200f00620b00600c0063bf002015006006015006", "0x60160065de00201400620b00600213100201000620b006002131002016", "0x20c400620b00600200600c00200220b0060150065df00201701500720b", "0x601000604e00205400620b0060170065e000206500620b006006006016", "0x602911b0540650c40165e600202900620b00601400604e00211b00620b", "0x96d02a00620b00701c0065e800200220b00600200600201c01901b00920b", "0x3300202e02d02c00920b00602a0065e900200220b00600200900202b006", "0x20b00602f00605100203002f00720b00602c00613200200220b00602e006", "0x5100203904800720b00602d00613200203300620b006030006053002002", "0x620b00603300600f00203500620b00603900605300200220b006048006", "0x11e00720b00703503300701900c5ea00203500620b00603500600f002033", "0x203c00620b00600202a00200220b00600200900203a10d12000996e037", "0x603700612b00207d00620b00611e00601600212400620b00603c0063b7", "0x200900200296f00600202d00212a00620b0061240063b800203e00620b", "0x207d00620b00612000601600212c00620b00603a0063b900200220b006", "0x612a0063ba00212a00620b00612c0063b800203e00620b00610d00612b", "0x97004300620b00712b0063bc00212b00620b0060410063bb00204100620b", "0x20b0060430065eb00200220b00600211e00200220b00600200900212d006", "0x204700620b00612e00648500212e00620b006045009007484002045006", "0x603e00612b00213000620b00607d00601600213100620b00601b00600c", "0x200900204b04d13013100c00604b00620b00604700644c00204d00620b", "0x12d00644b00200220b00600900604700200220b00600211e00200220b006", "0x13200620b00607d00601600204f00620b00601b00600c00204e00620b006", "0x13204f00c00605300620b00604e00644c00205100620b00603e00612b002", "0x20b00600900604700200220b00600211e00200220b006002009002053051", "0x601600205600620b00601b00600c00212f00620b00602b00644b002002", "0x620b00612f00644c00205800620b00600700612b00213300620b006019", "0x220b00600213900200f00620b00600206400213605813305600c006136", "0x1400605100201501400720b00600c00613200201000620b006002131002", "0x20c400620b00600600601600201c00620b00600200600c00200220b006", "0xc401c00c17600205400620b00601000604e00206500620b006015006099", "0x20b00701900607100200220b00600200600201901b01700920b006054065", "0x2b02a00720b00611b00614100200220b00600200900202900697111b006", "0x602a00613200202c00620b00600900663900200220b00602b006033002", "0x202f00620b00602e00605300200220b00602d00605100202e02d00720b", "0x20b00602f00600f00203000620b00603000604b00203000620b0060025d7", "0x11e03500997203904803300920b00702f03002c00701b01662900202f006", "0x603300601600212000620b00603900662a00200220b006002009002037", "0x203a00620b00612000662b00201600620b00604800612b00210d00620b", "0x203c00620b00603700662c00200220b00600200900200297300600202d", "0x603c00662b00201600620b00611e00612b00210d00620b006035006016", "0x212400620b00607d00662e00207d00620b00603a00662d00203a00620b", "0x212a00697403e00620b00712400662f00201600620b00601600f00713b", "0x212c00620b00603e00663000200220b00600211e00200220b006002009", "0x612c00600f00204500620b00610d00601600212d00620b00601700600c", "0x704300614b00204304112b00920b00612e04512d00914600212e00620b", "0x13000720b00604700607b00200220b00600200900213100697504700620b", "0x204e00697604b00620b00704d00614a00200220b00613000606100204d", "0x620b00604f00663b00204f00620b00604b00663a00200220b006002009", "0x612b00205300620b00604100601600205100620b00612b00600c002132", "0x205612f05305100c00605600620b00613200663c00212f00620b006016", "0x213300620b00600213100200220b00604e00603300200220b006002009", "0x605813300705b00205800620b00605800604b00205800620b006002633", "0x205b00620b00613613400705d00213400620b00600213500213600620b", "0x604100601600205d00620b00612b00600c00213500620b00605b00663d", "0x606100620b00613500663c00205f00620b00601600612b00213700620b", "0x213800620b00613100663d00200220b00600200900206105f13705d00c", "0x601600612b00213900620b00604100601600206400620b00612b00600c", "0x200900213b06713906400c00613b00620b00613800663c00206700620b", "0x600c00206900620b00612a00663d00200220b00600211e00200220b006", "0x620b00601600612b00206c00620b00610d00601600206a00620b006017", "0x20b00600200900206f13c06c06a00c00606f00620b00606900663c00213c", "0x20b00600900663e00200220b00600f00614500200220b00600211e002002", "0x601600207100620b00601700600c00213f00620b00602900663d002002", "0x620b00613f00663c00214500620b00600700612b00214100620b00601b", "0x20b00600c00603900200c00620b00600204800207514514107100c006075", "0x200900201401000797700f01600720b00700c00600200903500200c006", "0x201600620b00601600600c00201500620b00600700601b00200220b006", "0x61a300200220b00600200900201900697801b01700720b0070150060db", "0x620b00601c0061a40020c400620b00601700609900201c00620b00601b", "0x5400620b00600202a00200220b00600200900200297900600202d002065", "0x11b0061a40020c400620b00601900609900211b00620b0060540061a5002", "0x2900620b00602900600f00202900620b0060c400605300206500620b006", "0x211e00200220b00600200900202b00697a02a00620b0070650060df002", "0x202f00620b00602c00604b00202c00620b00602a0061a600200220b006", "0x603300202e02d00720b00603002f00704f00203000620b00600900604e", "0x11e00620b00600f00601600203500620b00601600600c00200220b00602e", "0x3500c21800212000620b00602d00604e00203700620b00602900600f002", "0x3a00697b10d00620b00703900607100203904803300920b00612003711e", "0x612400603300212403c00720b00610d00614100200220b006002009002", "0x4e00203e00620b00604800601600207d00620b00603300600c00200220b", "0x31c00200220b00600200900200297c00600202d00212a00620b00603c006", "0x20b00604800601600212b00620b00603300600c00212c00620b00603a006", "0x20b00600200900204304112b00900604300620b00612c00631b002041006", "0x20b00602900606100200220b00602b00603300200220b00600211e002002", "0x604e00203e00620b00600f00601600207d00620b00601600600c002002", "0x620b00612d12a00731900212d00620b00600202a00212a00620b006009", "0x601600204700620b00607d00600c00212e00620b00604500631a002045", "0x900213013104700900613000620b00612e00631b00213100620b00603e", "0x605100200220b00600700606100200220b00600211e00200220b006002", "0x4b00204b00620b00600213400204d00620b00600213100200220b006009", "0x20b00600213500204e00620b00604b04d00705b00204b00620b00604b006", "0x205100620b00613200631c00213200620b00604e04f00705d00204f006", "0x605100631b00212f00620b00601400601600205300620b00601000600c", "0x20b00600263f00200220b00600700639b00205612f05300900605600620b", "0x611b00201600620b00600206500200c00620b006009006224002009006", "0xc01600600200c64100200c00620b00600c00664000201600620b006016", "0x664200200220b00600200900201b01701500997d01401000f00920b007", "0x620b00601000612b00201c00620b00600f00601600201900620b006014", "0x20b00600200900200297e00600202d00206500620b0060190066430020c4", "0x612b00201c00620b00601500601600205400620b00601b006644002002", "0x620b00606500664500206500620b0060540066430020c400620b006017", "0x2b00697f02a00620b00711b00615100211b00620b006029006646002029", "0x20b00602c00633100202c00620b00602a00615200200220b006002009002", "0x12b00202f00620b00601c00601600202e00620b00602d00633200202d006", "0x203303002f00900603300620b00602e00621200203000620b0060c4006", "0x620b00601c00601600204800620b00602b00633300200220b006002009", "0x3900900611e00620b00604800621200203500620b0060c400612b002039", "0x900622400200900620b00600264700200220b00600700639a00211e035", "0x201600620b00601600611b00201600620b00600206500200c00620b006", "0x1401000f00920b00700c01600600200c64100200c00620b00600c006640", "0x201900620b00601400664200200220b00600200900201b017015009980", "0x60190066430020c400620b00601000612b00201c00620b00600f006016", "0x601b00664400200220b00600200900200298100600202d00206500620b", "0x20c400620b00601700612b00201c00620b00601500601600205400620b", "0x602900664600202900620b00606500664500206500620b006054006643", "0x220b00600200900202b00698202a00620b00711b00615100211b00620b", "0x2d00633200202d00620b00602c00633100202c00620b00602a006152002", "0x3000620b0060c400612b00202f00620b00601c00601600202e00620b006", "0x200220b00600200900203303002f00900603300620b00602e006212002", "0x60c400612b00203900620b00601c00601600204800620b00602b006333", "0x700639900211e03503900900611e00620b00604800621200203500620b", "0x6500200c00620b00600900622400200900620b00600264800200220b006", "0x620b00600c00664000201600620b00601600611b00201600620b006002", "0x201b01701500998301401000f00920b00700c01600600200c64100200c", "0x620b00600f00601600201900620b00601400664200200220b006002009", "0x202d00206500620b0060190066430020c400620b00601000612b00201c", "0x601600205400620b00601b00664400200220b006002009002002984006", "0x620b0060540066430020c400620b00601700612b00201c00620b006015", "0x615100211b00620b00602900664600202900620b006065006645002065", "0x20b00602a00615200200220b00600200900202b00698502a00620b00711b", "0x1600202e00620b00602d00633200202d00620b00602c00633100202c006", "0x20b00602e00621200203000620b0060c400612b00202f00620b00601c006", "0x620b00602b00633300200220b00600200900203303002f009006033006", "0x621200203500620b0060c400612b00203900620b00601c006016002048", "0x264900200220b00600900639500211e03503900900611e00620b006048", "0x201700620b00600200600c00201600620b00600206500200c00620b006", "0x601600611b00201900620b00600700612b00201b00620b006006006016", "0x60c401c01901b01701664a0020c400620b00600c00661600201c00620b", "0x200900205400698606500620b00701500664b00201501401000f00c20b", "0x202a00620b00611b00664d00211b00620b00606500664c00200220b006", "0x900202c00698702b00620b0070290063e500202900620b00602a006220", "0x2e00620b00602d00664e00202d00620b00602b0063e600200220b006002", "0x1000601600203000620b00600f00600c00202f00620b00602e00664f002", "0x3900620b00602f00665000204800620b00601400612b00203300620b006", "0x3500620b00602c00665100200220b00600200900203904803303000c006", "0x1400612b00203700620b00601000601600211e00620b00600f00600c002", "0x900210d12003711e00c00610d00620b00603500665000212000620b006", "0x3c00620b00600f00600c00203a00620b00605400665100200220b006002", "0x3a00665000207d00620b00601400612b00212400620b006010006016002", "0x65200200700620b00600200665200203e07d12403c00c00603e00620b006", "0x20b00600c00665400200c00620b00600700665200200900620b006006006", "0x65200200220b00600f00604d00201000f00720b006016006130002016006", "0x20b00601500613000201500620b00601400665400201400620b006009006", "0x1b200201900620b0060100061b200200220b00601700604d00201b017007", "0x60c400604b0020c400620b00601c0190071c100201c00620b00601b006", "0x200220b00600200900206500698800220b0070c40061c50020c400620b", "0x20b00611b00602c00211b00620b00605400602e00205400620b00600202a", "0x20b0060650060f200200220b00600200900200298900600202d002029006", "0x2b00602c00202b00620b00602a00602b00202a00620b00600202a002002", "0x60070063e200202c00600602c00620b00602900636f00202900620b006", "0x65400200f00620b00600264900200220b00601600639500201600c00720b", "0x620b00600206500201400620b00600f00622400201000620b006009006", "0x1662200201400620b00601400664000201500620b00601500611b002015", "0x20b0060020090020c401c01900998a01b01700720b007010014015006002", "0x1700601600205400620b0060650063b700206500620b00600202a002002", "0x2a00620b0060540063b800202900620b00601b00612b00211b00620b006", "0x2b00620b0060c40063b900200220b00600200900200298b00600202d002", "0x2b0063b800202900620b00601c00612b00211b00620b006019006016002", "0x2c00620b00602d0063bb00202d00620b00602a0063ba00202a00620b006", "0x65eb00200220b00600200900202f00698c02e00620b00702c0063bc002", "0x20b00603300665600203300620b00603000c00765300203000620b00602e", "0x65700203500620b00602900612b00203900620b00611b006016002048006", "0x639500200220b00600200900211e03503900900611e00620b006048006", "0x12000620b00611b00601600203700620b00602f00665800200220b00600c", "0x10d12000900603a00620b00603700665700210d00620b00602900612b002", "0x213100201600620b00600f00665a00200f00620b00600c0063ee00203a", "0x1701500720b0060160065de00201400620b00600213100201000620b006", "0x60060060160020c400620b00600200600c00200220b0060150065df002", "0x211b00620b00601000604e00205400620b0060170065e000206500620b", "0x1901b00920b00602911b0540650c40165e600202900620b00601400604e", "0x900202b00698d02a00620b00701c0065e800200220b00600200600201c", "0x20b00602e00603300202e02d02c00920b00602a0065e900200220b006002", "0x605300200220b00602f00605100203002f00720b00602c006132002002", "0x20b00604800605100203904800720b00602d00613200203300620b006030", "0x600f00203300620b00603300600f00203500620b006039006053002002", "0x12000998e03711e00720b00703503300701900c5ea00203500620b006035", "0x603c0063b700203c00620b00600202a00200220b00600200900203a10d", "0x203e00620b00603700612b00207d00620b00611e00601600212400620b", "0x200220b00600200900200298f00600202d00212a00620b0061240063b8", "0x610d00612b00207d00620b00612000601600212c00620b00603a0063b9", "0x204100620b00612a0063ba00212a00620b00612c0063b800203e00620b", "0x900212d00699004300620b00712b0063bc00212b00620b0060410063bb", "0x48400204500620b0060430065eb00200220b00600211e00200220b006002", "0x601b00600c00204700620b00612e00648500212e00620b006045009007", "0x204d00620b00603e00612b00213000620b00607d00601600213100620b", "0x200220b00600200900204b04d13013100c00604b00620b00604700644c", "0x4e00620b00612d00644b00200220b00600900604700200220b00600211e", "0x3e00612b00213200620b00607d00601600204f00620b00601b00600c002", "0x900205305113204f00c00605300620b00604e00644c00205100620b006", "0x644b00200220b00600900604700200220b00600211e00200220b006002", "0x620b00601900601600205600620b00601b00600c00212f00620b00602b", "0x5600c00613600620b00612f00644c00205800620b00600700612b002133", "0x3500200c00620b00600c00603900200c00620b006002048002136058133", "0x200220b00600200900201401000799100f01600720b00700c006002009", "0x701500665b00201600620b00601600600c00201500620b006007006590", "0x620b00601b00665c00200220b00600200900201900699201b01700720b", "0x202d00206500620b00601c00665d0020c400620b00601700659600201c", "0x5400665e00205400620b00600202a00200220b006002009002002993006", "0x6500620b00611b00665d0020c400620b00601900659600211b00620b006", "0x6500666000202900620b0060290060fc00202900620b0060c40061d6002", "0x620b00602a00659b00200220b00600200900202b00699402a00620b007", "0x202f02e02d00920b00602c00659e00202c00620b00602c00659c00202c", "0x620b00602d00636100200220b00602f00659f00200220b00602e00604d", "0x636000200220b0060330060fa00204803300720b006030006360002030", "0x611e0060fa00203711e00720b00604800636000203503900720b006009", "0x3f100200220b0061200060fa00210d12000720b00603500636000200220b", "0x612403c00766100212400620b00610d0063f100203c00620b006037006", "0x207d00620b00607d00602c00207d00620b00603a00602f00203a00620b", "0x703e00603000203e00620b00603e00602c00203e00620b00607d00602f", "0x3300200220b00600211e00200220b00600200900212c00699512a00620b", "0x620b00600f00601600212d00620b00601600600c00200220b00612a006", "0xc3f200204700620b0060390063f100212e00620b0060290060fc002045", "0x699613100620b0070430063f300204304112b00920b00604712e04512d", "0x4d00766300204b04d00720b00613100666200200220b006002009002130", "0x620b00612b00600c00204f00620b00604e00666400204e00620b00604b", "0x13200900605300620b00604f00666500205100620b006041006016002132", "0x12b00600c00212f00620b00613000621f00200220b006002009002053051", "0x5800620b00612f00666500213300620b00604100601600205600620b006", "0x603300200220b00600211e00200220b006002009002058133056009006", "0x13100200220b00602900639c00200220b0060390060fa00200220b00612c", "0x13400620b00613400604b00213400620b00600266600213600620b006002", "0x13500705d00213500620b00600213500205b00620b00613413600705b002", "0x620b00601600600c00213700620b00605d00621f00205d00620b00605b", "0x5f00900613800620b00613700666500206100620b00600f00601600205f", "0x20b00602b00603300200220b00600211e00200220b006002009002138061", "0x6402900766300206400620b00600202a00200220b0060090060fa002002", "0x13b00620b00601600600c00206700620b00613900666400213900620b006", "0x6913b00900606a00620b00606700666500206900620b00600f006016002", "0x220b0060090060fa00200220b00600211e00200220b00600200900206a", "0x620b00600213400206c00620b00600213100200220b00600700639c002", "0x13500206f00620b00613c06c00705b00213c00620b00613c00604b00213c", "0x20b00607100621f00207100620b00606f13f00705d00213f00620b006002", "0x66500207500620b00601400601600214500620b00601000600c002141006", "0x201500620b00600200600c00207607514500900607600620b006141006", "0x65fb00201401000720b0060170150075fa00201700620b00600f00600f", "0x20b00601b0065fc00200220b00600200900201900699701b00620b007014", "0x202c00620b00601000600c0020650c400720b00601c0065fd00201c006", "0x600900612b00202e00620b00600700601600202d00620b00600600612c", "0x3000620b00603000604100203000c00720b00600c0065fe00202f00620b", "0x600f00203300620b00603300604b00203301600720b00601600635a002", "0x11b05401620b00604803303002f02e02d02c0105d400204800620b0060c4", "0x220b00600200900203500699803900620b00702b0060ed00202b02a029", "0x3700602c00203700620b00611e00602f00211e00620b00603900608e002", "0x20b00600200900210d00699912000620b00703700603000203700620b006", "0x637100203a00c00720b00600c0065fe00200220b006120006033002002", "0x200220b00603c00639500204112b12c12a03e07d12403c01420b00603a", "0x220b00612a00639800200220b00603e00639900200220b00612400639b", "0x20b00604100620c00200220b00612b00639600200220b00612c006397002", "0x63d300204700620b00602a00612b00212e00620b006029006016002002", "0x615100204512d04300920b00613104712e0093d400213100620b00607d", "0x20b00613000615200200220b00600200900204d00699a13000620b007045", "0x4d00200220b00600200900204e00699b00220b00704b0061c500204b006", "0x4f00620b00606500601b00200220b00600c00604700200220b006016006", "0x60c400205305100720b00613200601c00213200620b00604f006019002", "0x13305600720b00612f00601c00212f00620b00600206500200220b006051", "0x613300605400205800620b00605300605400200220b0060560060c4002", "0x99c00220b00713605800702900205800620b00605800611b00213600620b", "0x20b00613400602b00213400620b00600202a00200220b006002009002002", "0x600200900200299d00600202d00213500620b00605b00602c00205b006", "0x602c00213700620b00605d00602e00205d00620b00600202a00200220b", "0x620b00605f00602c00205f00620b00613500602f00213500620b006137", "0x3300200220b00600200900213800699e06100620b00705f00603000205f", "0x620b00611b00612c00206400620b00605400600c00200220b006061006", "0x202d00213b00620b00612d00612b00206700620b006043006016002139", "0x600213100200220b00613800603300200220b00600200900200299f006", "0x5b00206a00620b00606a00604b00206a00620b0060025bb00206900620b", "0x606c13c00705d00213c00620b00600213500206c00620b00606a069007", "0x207100620b00605400600c00213f00620b00606f00663700206f00620b", "0x612d00612b00214500620b00604300601600214100620b00611b00612c", "0x900207607514514107101600607600620b00613f00663600207500620b", "0x214a00620b00605400600c00200220b00604e0060f200200220b006002", "0x612d00612b0020c700620b00604300601600207f00620b00611b00612c", "0x214e00620b00601600604b00215200620b00600c00604100215100620b", "0x1620b00614f14e1521510c707f14a0105b800214f00620b00606500600f", "0x60020090020850069a008300620b00707b0060ed00207b14b146079077", "0x2c00215e00620b00615000602f00215000620b00608300608e00200220b", "0x20090021600069a116100620b00715e00603000215e00620b00615e006", "0x12c00206400620b00607700600c00200220b00616100603300200220b006", "0x20b00614b00612b00206700620b00614600601600213900620b006079006", "0x622300215d00620b00615f00663500215f00620b00600202a00213b006", "0x620b00613900666700215c00620b00606400636e00216300620b00615d", "0x663600215400620b00613b00644900208700620b006067006448002162", "0x3300200220b00600200900215715408716215c01600615700620b006163", "0x215b00620b0060025bb00208a00620b00600213100200220b006160006", "0x600213500216e00620b00615b08a00705b00215b00620b00615b00604b", "0x8e00620b0060ed0066370020ed00620b00616e16800705d00216800620b", "0x1460060160020d000620b00607900612c00216b00620b00607700600c002", "0x16d00620b00608e00663600209200620b00614b00612b00216c00620b006", "0x620b00608500663700200220b00600200900216d09216c0d016b016006", "0x601600217300620b00607900612c00209400620b00607700600c002171", "0x620b00617100663600217500620b00614b00612b00209600620b006146", "0x20b00606500606100200220b0060020090020d11750961730940160060d1", "0x604d00663700200220b00600c00604700200220b00601600604d002002", "0x209b00620b00611b00612c00217600620b00605400600c00209900620b", "0x609900663600209d00620b00612d00612b00217a00620b006043006016", "0x10d00603300200220b00600200900217c09d17a09b17601600617c00620b", "0x606100200220b00600c00604700200220b00601600604d00200220b006", "0x4b0020a000620b0060022220020cc00620b00600213100200220b006065", "0x20b00600213500217d00620b0060a00cc00705b0020a000620b0060a0006", "0x20a400620b00617e00663700217e00620b00617d0a200705d0020a2006", "0x60290060160020cd00620b00611b00612c00217f00620b00605400600c", "0x618000620b0060a40066360020a800620b00602a00612b0020d200620b", "0x200220b00601600604d00200220b0060020090021800a80d20cd17f016", "0x620b00603500663700200220b00606500606100200220b00600c006047", "0x601600218100620b00611b00612c0020ab00620b00605400600c0020ce", "0x620b0060ce0066360020c800620b00602a00612b0020cf00620b006029", "0x20b00600c00604700200220b0060020090020c90c80cf1810ab0160060c9", "0x1000600c0020ca00620b00601900663700200220b00601600604d002002", "0xb300620b0060070060160020c600620b00600600612c0020cb00620b006", "0xc60cb01600618e00620b0060ca0066360020b500620b00600900612b002", "0x201b00620b0060020ef00201701500720b00600f00613000218e0b50b3", "0x60170061b200200220b00601900604d00201c01900720b00601b006130", "0x200220b00606500604d00205406500720b0060c40061300020c400620b", "0x2900604d00202a02900720b00611b00613000211b00620b00601c0061b2", "0x202c00620b00602a0061b200202b00620b0060540061b200200220b006", "0x2d0061c500202d00620b00602d00604b00202d00620b00602c02b0071c1", "0x202f00620b00600202a00200220b00600200900202e0069a200220b007", "0x9a300600202d00203300620b00603000602c00203000620b00602f00602e", "0x620b00600202a00200220b00602e0060f200200220b006002009002002", "0x602f00203300620b00603900602c00203900620b00604800602b002048", "0x620b00603500602f00203500620b00603500602c00203500620b006033", "0x1200069a403700620b00711e00603000211e00620b00611e00602c00211e", "0x620b00600700601600200220b00603700603300200220b006002009002", "0x3c03a10d00920b00607d1240070f400207d00620b00600c00612b002124", "0x61ca00200220b00600200900212a0069a503e00620b00703c0061c8002", "0x1020b00612b0061eb00212b00620b00612c0061d400212c00620b00603e", "0x20b0060430060fa00200220b00604100604d00213104712e04512d043041", "0x612e00604d00200220b00604500606100200220b00612d0061ef002002", "0x612b00204e00620b00610d00601600200220b00613100604d00200220b", "0x4700604b00204b04d13000920b00604f04e00738300204f00620b00603a", "0x20b0060020090020510069a613200620b00704b0060ea00204700620b006", "0x5813305612f01420b00601600637100205300620b0061320060ec002002", "0x39900200220b00613300639a00200220b00612f00639500213505b134136", "0x200220b00613400639700200220b00613600639800200220b006058006", "0x620b00613000601600200220b00613500620c00200220b00605b006396", "0x93d100206400620b0060560063d000213800620b00604d00612b002061", "0x670069a713900620b00705f00615100205f13705d00920b006064138061", "0x620b00600266800213b00620b00613900615200200220b006002009002", "0x206c00620b0060020ef00206a00620b00613b05304706900c66d002069", "0x606a00666e00207100620b00606c00604b00213f00620b00600900615d", "0x620b00600238200206f13c00720b00614107113f00966f00214100620b", "0x7607500720b00614506f13c00937b00214500620b00614500604b002145", "0x7600604b00207b00620b00600600612c00214b00620b00600200600c002", "0xc700620b00601000604b00207f00620b00601500604b00214a00620b006", "0x920b0061510c707f14a07b14b00f67000215100620b00601400604b002", "0x215200620b00615200602c00215200620b00614600602f002146079077", "0x900214f0069a814e00620b00715200603000207500620b00607500615d", "0x63500208300620b00600202a00200220b00614e00603300200220b006002", "0x20b00607700600c00215000620b00608500622300208500620b006083006", "0x15d00216000620b00605d00601600216100620b00607900612c00215e006", "0x20b00615000663600215d00620b00613700612b00215f00620b006075006", "0x14f00603300200220b00600200900216315d15f16016115e00f006163006", "0x604b00216200620b00600222200215c00620b00600213100200220b006", "0x620b00600213500208700620b00616215c00705b00216200620b006162", "0xc00208a00620b00615700663700215700620b00608715400705d002154", "0x20b00605d00601600216e00620b00607900612c00215b00620b006077006", "0x63600208e00620b00613700612b0020ed00620b00607500615d002168006", "0x220b00600200900216b08e0ed16816e15b00f00616b00620b00608a006", "0x20b00601500604d00200220b00601000604d00200220b00601400604d002", "0x606700663700200220b0060530060fa00200220b00604700604d002002", "0x209200620b00600600612c00216c00620b00600200600c0020d000620b", "0x613700612b00217100620b00600900615d00216d00620b00605d006016", "0x217309417116d09216c00f00617300620b0060d000663600209400620b", "0x200220b00601600604700200220b00604700604d00200220b006002009", "0x220b00601500604d00200220b00601000604d00200220b00601400604d", "0x600612c00217500620b00600200600c00209600620b006051006637002", "0x17600620b00600900615d00209900620b0061300060160020d100620b006", "0xd117500f00617a00620b00609600663600209b00620b00604d00612b002", "0x604d00200220b00601600604700200220b00600200900217a09b176099", "0x63700200220b00601500604d00200220b00601000604d00200220b006014", "0x20b00600600612c00217c00620b00600200600c00209d00620b00612a006", "0x12b00217d00620b00600900615d0020a000620b00610d0060160020cc006", "0x17d0a00cc17c00f00617e00620b00609d0066360020a200620b00603a006", "0x601600604700200220b00612000603300200220b00600200900217e0a2", "0x1500604d00200220b00601000604d00200220b00601400604d00200220b", "0x604b00217f00620b0060023f60020a400620b00600213100200220b006", "0x620b0060021350020cd00620b00617f0a400705b00217f00620b00617f", "0xc00218000620b0060a80066370020a800620b0060cd0d200705d0020d2", "0x20b0060070060160020ab00620b00600600612c0020ce00620b006002006", "0x6360020c800620b00600c00612b0020cf00620b00600900615d002181006", "0x20b0060090063980020c90c80cf1810ab0ce00f0060c900620b006180006", "0x600200600c00201600620b00600206500200c00620b006002669002002", "0x201900620b00600700612b00201b00620b00600600601600201700620b", "0x1b01701666a0020c400620b00600c00661600201c00620b00601600611b", "0x69a906500620b00701500666b00201501401000f00c20b0060c401c019", "0x611b00667100211b00620b00606500666c00200220b006002009002054", "0x9aa02b00620b0070290060c800202900620b00602a00667300202a00620b", "0x2d00652800202d00620b00602b0060c900200220b00600200900202c006", "0x3000620b00600f00600c00202f00620b00602e00621400202e00620b006", "0x2f00652900204800620b00601400612b00203300620b006010006016002", "0x2c00652a00200220b00600200900203904803303000c00603900620b006", "0x3700620b00601000601600211e00620b00600f00600c00203500620b006", "0x3711e00c00610d00620b00603500652900212000620b00601400612b002", "0xf00600c00203a00620b00605400652a00200220b00600200900210d120", "0x7d00620b00601400612b00212400620b00601000601600203c00620b006", "0x20b00600900621e00203e07d12403c00c00603e00620b00603a006529002", "0x201401000720b00600f00621e00200f00620b00600243e00201600c007", "0x20b00601400661f00201500620b00601600661f00200220b006010006349", "0x1600200220b0060020090020029ab00220b007017015007678002017006", "0x60650c400736500206500620b00600700612b0020c400620b006006006", "0x600200900211b0069ac05400620b00701c00636600201c01901b00920b", "0x202a02900720b00602900635b00202900620b00605400636800200220b", "0x9ad02d02c00720b00702b02a00200936900202b00c00720b00600c00635b", "0x60024d200200220b00602d00634900200220b00600200900202f02e007", "0x203500620b00600c00621b00203900620b00602c00600c00203000620b", "0x36600204803300720b00611e0350390094d300211e00620b00603000621b", "0x603700636800200220b0060020090021200069ae03700620b007048006", "0x900207d1240079af03c03a00720b00710d02903300936900210d00620b", "0x44300203e00620b00600202a00200220b00603c00634900200220b006002", "0x20b00612c00667a00212c00620b00612a00667900212a00620b00603e006", "0x12b00204300620b00601b00601600204100620b00603a00600c00212b006", "0x4512d04304100c00604500620b00612b00667b00212d00620b006019006", "0x12e00620b00600202a00200220b00607d00634900200220b006002009002", "0x13100667a00213100620b00604700667900204700620b00612e0064f4002", "0x4b00620b00601b00601600204d00620b00612400600c00213000620b006", "0x4b04d00c00604f00620b00613000667b00204e00620b00601900612b002", "0x612000667400200220b00602900634900200220b00600200900204f04e", "0x205300620b00601b00601600205100620b00603300600c00213200620b", "0x12f05305100c00605600620b00613200667b00212f00620b00601900612b", "0x20b00602900634900200220b00602f00634900200220b006002009002056", "0x613300667500213300620b00600202a00200220b00600c006349002002", "0x213400620b00613600667a00213600620b00605800667900205800620b", "0x601900612b00213500620b00601b00601600205b00620b00602e00600c", "0x200900213705d13505b00c00613700620b00613400667b00205d00620b", "0xc00205f00620b00611b00667400200220b00600c00634900200220b006", "0x20b00601900612b00213800620b00601b00601600206100620b006002006", "0x600200900213906413806100c00613900620b00605f00667b002064006", "0x6700640300206700620b00600202a00200220b00600c00634900200220b", "0x6a00620b00606900667a00206900620b00613b00667900213b00620b006", "0x700612b00213c00620b00600600601600206c00620b00600200600c002", "0x67600213f06f13c06c00c00613f00620b00606a00667b00206f00620b006", "0x20b0060020090020160069b200c0069b10090069b000700620b00c002006", "0x90020150069b50140069b40100069b300f00620b00c006006676002002", "0x220b00601700603300201b01700720b00600700667700200220b006002", "0x1b0061ff00200220b00601900603300201c01900720b00600f006677002", "0x620b00605406500767c00205400620b00601c0061ff00206500620b006", "0x20b0060020090020029b600600202d00211b00620b0060c400636f0020c4", "0x20b00600202a00200220b00600700603300200220b006010006033002002", "0x2d00211b00620b00602a00602c00202a00620b00602900602b002029006", "0x603300200220b00601400603300200220b0060020090020029b6006002", "0x202c00620b00602b00602b00202b00620b00600202a00200220b006007", "0x200220b0060020090020029b600600202d00211b00620b00602c00602c", "0x2d00620b00600202a00200220b00600700603300200220b006015006033", "0x11b00636f00211b00620b00602e00602c00202e00620b00602d00602b002", "0x600667600200220b0060020090020029b700600202d00202f00620b006", "0x200220b0060020090020390069ba0480069b90330069b803000620b00c", "0x3500620b00600202a00200220b00600900603300200220b006030006033", "0x600202d00203700620b00611e00602c00211e00620b00603500602b002", "0x603300210d12000720b00600900667700200220b0060020090020029bb", "0x220b00603a00603300203c03a00720b00603300667700200220b006120", "0x7d00767c00203e00620b00603c0061ff00207d00620b00610d0061ff002", "0x20029bb00600202d00203700620b00612400636f00212400620b00603e", "0x200220b00600900603300200220b00604800603300200220b006002009", "0x20b00612c00602c00212c00620b00612a00602b00212a00620b00600202a", "0x20b00603900603300200220b0060020090020029bb00600202d002037006", "0x612b00602b00212b00620b00600202a00200220b006009006033002002", "0x202f00620b00603700636f00203700620b00604100602c00204100620b", "0x9bc04300620b00c00600667600200220b0060020090020029b700600202d", "0x20b00604300603300200220b00600200900212e0069be0450069bd12d006", "0x604700602b00204700620b00600202a00200220b00600c006033002002", "0x20090020029bf00600202d00213000620b00613100602c00213100620b", "0x202a00200220b00600c00603300200220b00612d00603300200220b006", "0x13000620b00604b00602c00204b00620b00604d00602b00204d00620b006", "0x4e00720b00600c00667700200220b0060020090020029bf00600202d002", "0x603300205113200720b00604500667700200220b00604e00603300204f", "0x5600620b0060510061ff00212f00620b00604f0061ff00200220b006132", "0x202d00213000620b00605300636f00205300620b00605612f00767c002", "0xc00603300200220b00612e00603300200220b0060020090020029bf006", "0x2c00205800620b00613300602b00213300620b00600202a00200220b006", "0x29b700600202d00202f00620b00613000636f00213000620b006058006", "0x5b0069c11340069c013600620b00c00600667600200220b006002009002", "0x1600603300200220b00613600603300200220b0060020090021350069c2", "0x2c00213700620b00605d00602b00205d00620b00600202a00200220b006", "0x3300200220b0060020090020029c300600202d00205f00620b006137006", "0x206100620b00600202a00200220b00601600603300200220b006134006", "0x9c300600202d00205f00620b00613800602c00213800620b00606100602b", "0x20b00601600603300200220b00605b00603300200220b006002009002002", "0x13900602c00213900620b00606400602b00206400620b00600202a002002", "0x1600667700200220b0060020090020029c300600202d00205f00620b006", "0x6900720b00613500667700200220b00606700603300213b06700720b006", "0x6a0061ff00213c00620b00613b0061ff00200220b00606900603300206a", "0x620b00606c00636f00206c00620b00606f13c00767c00206f00620b006", "0x13f00600613f00620b00602f00636f00202f00620b00605f00636f00205f", "0x600266900200220b00600f00639800200f01600720b0060090063fb002", "0x1600201c00620b00600200600c00201400620b00600206500201000620b", "0x20b00601400611b00206500620b00600700612b0020c400620b006006006", "0x67e00202900620b00600c0060c600211b00620b006010006616002054006", "0x20b00701900667f00201901b01701500c20b00602911b0540650c401c00f", "0x202c00620b00602a00668300200220b00600200900202b0069c402a006", "0x702d0063bc00202d00620b00602e0063bb00202e00620b00602c0063b8", "0x3300620b00602f0065eb00200220b0060020090020300069c502f00620b", "0x600c00203900620b00604800668000204800620b006033016007684002", "0x620b00601b00612b00211e00620b00601700601600203500620b006015", "0x20b00600200900212003711e03500c00612000620b006039006681002037", "0x1500600c00210d00620b00603000668200200220b006016006398002002", "0x12400620b00601b00612b00203c00620b00601700601600203a00620b006", "0x220b00600200900207d12403c03a00c00607d00620b00610d006681002", "0x601500600c00203e00620b00602b00668200200220b006016006398002", "0x212b00620b00601b00612b00212c00620b00601700601600212a00620b", "0x620b00600200668500204112b12c12a00c00604100620b00603e006681", "0x643d00201600620b00600700643d00200900620b006006006685002007", "0x20b00600c00636f00200c00620b00600f01600721a00200f00620b006009", "0x620b00600f00668700200f00620b00600c006446002010006006010006", "0x60160065de00201400620b00600213100201000620b006002131002016", "0x20c400620b00600200600c00200220b0060150065df00201701500720b", "0x601000604e00205400620b0060170065e000206500620b006006006016", "0x602911b0540650c40165e600202900620b00601400604e00211b00620b", "0x9c602a00620b00701c0065e800200220b00600200600201c01901b00920b", "0x3300202e02d02c00920b00602a0065e900200220b00600200900202b006", "0x20b00602f00605100203002f00720b00602c00613200200220b00602e006", "0x5100203904800720b00602d00613200203300620b006030006053002002", "0x620b00603300600f00203500620b00603900605300200220b006048006", "0x11e00720b00703503300701900c5ea00203500620b00603500600f002033", "0x203c00620b00600202a00200220b00600200900203a10d1200099c7037", "0x603700612b00207d00620b00611e00601600212400620b00603c0063b7", "0x20090020029c800600202d00212a00620b0061240063b800203e00620b", "0x207d00620b00612000601600212c00620b00603a0063b900200220b006", "0x612a0063ba00212a00620b00612c0063b800203e00620b00610d00612b", "0x9c904300620b00712b0063bc00212b00620b0060410063bb00204100620b", "0x20b0060430065eb00200220b00600211e00200220b00600200900212d006", "0x204700620b00612e00648500212e00620b006045009007484002045006", "0x603e00612b00213000620b00607d00601600213100620b00601b00600c", "0x200900204b04d13013100c00604b00620b00604700644c00204d00620b", "0x12d00644b00200220b00600900604700200220b00600211e00200220b006", "0x13200620b00607d00601600204f00620b00601b00600c00204e00620b006", "0x13204f00c00605300620b00604e00644c00205100620b00603e00612b002", "0x20b00600900604700200220b00600211e00200220b006002009002053051", "0x601600205600620b00601b00600c00212f00620b00602b00644b002002", "0x620b00612f00644c00205800620b00600700612b00213300620b006019", "0x1600620c00201600c00720b0060070065d300213605813305600c006136", "0x22400201000620b00600900653c00200f00620b00600268800200220b006", "0x620b00601500611b00201500620b00600206500201400620b00600f006", "0x720b00701001401500600201662200201400620b006014006640002015", "0x6500620b00600202a00200220b0060020090020c401c0190099ca01b017", "0x1b00612b00211b00620b00601700601600205400620b0060650063b7002", "0x90020029cb00600202d00202a00620b0060540063b800202900620b006", "0x11b00620b00601900601600202b00620b0060c40063b900200220b006002", "0x2a0063ba00202a00620b00602b0063b800202900620b00601c00612b002", "0x2e00620b00702c0063bc00202c00620b00602d0063bb00202d00620b006", "0x768d00203000620b00602e0065eb00200220b00600200900202f0069cc", "0x20b00611b00601600204800620b00603300668e00203300620b00603000c", "0x900611e00620b00604800621d00203500620b00602900612b002039006", "0x2f00668900200220b00600c00620c00200220b00600200900211e035039", "0x10d00620b00602900612b00212000620b00611b00601600203700620b006", "0x720b0060070065a500203a10d12000900603a00620b00603700621d002", "0x900653c00200f00620b00600268a00200220b00601600639600201600c", "0x201500620b00600206500201400620b00600f00622400201000620b006", "0x600201662200201400620b00601400664000201500620b00601500611b", "0x200220b0060020090020c401c0190099cd01b01700720b007010014015", "0x20b00601700601600205400620b0060650063b700206500620b00600202a", "0x2d00202a00620b0060540063b800202900620b00601b00612b00211b006", "0x1600202b00620b0060c40063b900200220b0060020090020029ce006002", "0x20b00602b0063b800202900620b00601c00612b00211b00620b006019006", "0x3bc00202c00620b00602d0063bb00202d00620b00602a0063ba00202a006", "0x602e0065eb00200220b00600200900202f0069cf02e00620b00702c006", "0x4800620b00603300668c00203300620b00603000c00768b00203000620b", "0x4800668f00203500620b00602900612b00203900620b00611b006016002", "0x600c00639600200220b00600200900211e03503900900611e00620b006", "0x12b00212000620b00611b00601600203700620b00602f00669100200220b", "0x203a10d12000900603a00620b00603700668f00210d00620b006029006", "0x20b00600263f00200220b00601600639b00201600c00720b0060070063cf", "0x611b00201400620b00600206500201000620b00600f00622400200f006", "0x1001400600201662200201000620b00601000664000201400620b006014", "0x202a00200220b00600200900201c01901b0099d001701500720b007009", "0x5400620b00601500601600206500620b0060c40063b70020c400620b006", "0x600202d00202900620b0060650063b800211b00620b00601700612b002", "0x1b00601600202a00620b00601c0063b900200220b0060020090020029d1", "0x2900620b00602a0063b800211b00620b00601900612b00205400620b006", "0x2b0063bc00202b00620b00602c0063bb00202c00620b0060290063ba002", "0x620b00602d0065eb00200220b00600200900202e0069d202d00620b007", "0x1600203300620b00603000669300203000620b00602f00c00769200202f", "0x20b00603300669400203900620b00611b00612b00204800620b006054006", "0x220b00600c00639b00200220b006002009002035039048009006035006", "0x11b00612b00203700620b00605400601600211e00620b00602e006695002", "0x645800210d12003700900610d00620b00611e00669400212000620b006", "0x1000620b00600213100201600620b00600f00669600200f00620b00600c", "0x150065df00201701500720b0060160065de00201400620b006002131002", "0x206500620b0060060060160020c400620b00600200600c00200220b006", "0x601400604e00211b00620b00601000604e00205400620b0060170065e0", "0x200600201c01901b00920b00602911b0540650c40165e600202900620b", "0x220b00600200900202b0069d302a00620b00701c0065e800200220b006", "0x613200200220b00602e00603300202e02d02c00920b00602a0065e9002", "0x620b00603000605300200220b00602f00605100203002f00720b00602c", "0x605300200220b00604800605100203904800720b00602d006132002033", "0x620b00603500600f00203300620b00603300600f00203500620b006039", "0x900203a10d1200099d403711e00720b00703503300701900c5ea002035", "0x212400620b00603c0063b700203c00620b00600202a00200220b006002", "0x61240063b800203e00620b00603700612b00207d00620b00611e006016", "0x603a0063b900200220b0060020090020029d500600202d00212a00620b", "0x203e00620b00610d00612b00207d00620b00612000601600212c00620b", "0x60410063bb00204100620b00612a0063ba00212a00620b00612c0063b8", "0x220b00600200900212d0069d604300620b00712b0063bc00212b00620b", "0x604500900748400204500620b0060430065eb00200220b00600211e002", "0x213100620b00601b00600c00204700620b00612e00648500212e00620b", "0x604700644c00204d00620b00603e00612b00213000620b00607d006016", "0x20b00600211e00200220b00600200900204b04d13013100c00604b00620b", "0x1b00600c00204e00620b00612d00644b00200220b006009006047002002", "0x5100620b00603e00612b00213200620b00607d00601600204f00620b006", "0x220b00600200900205305113204f00c00605300620b00604e00644c002", "0x620b00602b00644b00200220b00600900604700200220b00600211e002", "0x612b00213300620b00601900601600205600620b00601b00600c00212f", "0x213605813305600c00613600620b00612f00644c00205800620b006007", "0x20b00600213100201600620b00600f00669700200f00620b00600c006480", "0x5df00201701500720b0060160065de00201400620b006002131002010006", "0x620b0060060060160020c400620b00600200600c00200220b006015006", "0x604e00211b00620b00601000604e00205400620b0060170065e0002065", "0x201c01901b00920b00602911b0540650c40165e600202900620b006014", "0x600200900202b0069d702a00620b00701c0065e800200220b006002006", "0x200220b00602e00603300202e02d02c00920b00602a0065e900200220b", "0x603000605300200220b00602f00605100203002f00720b00602c006132", "0x200220b00604800605100203904800720b00602d00613200203300620b", "0x603500600f00203300620b00603300600f00203500620b006039006053", "0x3a10d1200099d803711e00720b00703503300701900c5ea00203500620b", "0x620b00603c0063b700203c00620b00600202a00200220b006002009002", "0x63b800203e00620b00603700612b00207d00620b00611e006016002124", "0x63b900200220b0060020090020029d900600202d00212a00620b006124", "0x620b00610d00612b00207d00620b00612000601600212c00620b00603a", "0x63bb00204100620b00612a0063ba00212a00620b00612c0063b800203e", "0x600200900212d0069da04300620b00712b0063bc00212b00620b006041", "0x900748400204500620b0060430065eb00200220b00600211e00200220b", "0x620b00601b00600c00204700620b00612e00648500212e00620b006045", "0x644c00204d00620b00603e00612b00213000620b00607d006016002131", "0x211e00200220b00600200900204b04d13013100c00604b00620b006047", "0xc00204e00620b00612d00644b00200220b00600900604700200220b006", "0x20b00603e00612b00213200620b00607d00601600204f00620b00601b006", "0x600200900205305113204f00c00605300620b00604e00644c002051006", "0x602b00644b00200220b00600900604700200220b00600211e00200220b", "0x213300620b00601900601600205600620b00601b00600c00212f00620b", "0x5813305600c00613600620b00612f00644c00205800620b00600700612b", "0x264700200220b00601600639a00201600c00720b0060070063d2002136", "0x201400620b00600206500201000620b00600f00622400200f00620b006", "0x600201662200201000620b00601000664000201400620b00601400611b", "0x200220b00600200900201c01901b0099db01701500720b007009010014", "0x20b00601500601600206500620b0060c40063b70020c400620b00600202a", "0x2d00202900620b0060650063b800211b00620b00601700612b002054006", "0x1600202a00620b00601c0063b900200220b0060020090020029dc006002", "0x20b00602a0063b800211b00620b00601900612b00205400620b00601b006", "0x3bc00202b00620b00602c0063bb00202c00620b0060290063ba002029006", "0x602d0065eb00200220b00600200900202e0069dd02d00620b00702b006", "0x3300620b00603000621c00203000620b00602f00c00769800202f00620b", "0x3300669a00203900620b00611b00612b00204800620b006054006016002", "0x600c00639a00200220b00600200900203503904800900603500620b006", "0x12b00203700620b00605400601600211e00620b00602e00669900200220b", "0x210d12003700900610d00620b00611e00669a00212000620b00611b006", "0x20b00600213100201600620b00600f00669b00200f00620b00600c00649f", "0x5df00201701500720b0060160065de00201400620b006002131002010006", "0x620b0060060060160020c400620b00600200600c00200220b006015006", "0x604e00211b00620b00601000604e00205400620b0060170065e0002065", "0x201c01901b00920b00602911b0540650c40165e600202900620b006014", "0x600200900202b0069de02a00620b00701c0065e800200220b006002006", "0x200220b00602e00603300202e02d02c00920b00602a0065e900200220b", "0x603000605300200220b00602f00605100203002f00720b00602c006132", "0x200220b00604800605100203904800720b00602d00613200203300620b", "0x603500600f00203300620b00603300600f00203500620b006039006053", "0x3a10d1200099df03711e00720b00703503300701900c5ea00203500620b", "0x620b00603c0063b700203c00620b00600202a00200220b006002009002", "0x63b800203e00620b00603700612b00207d00620b00611e006016002124", "0x63b900200220b0060020090020029e000600202d00212a00620b006124", "0x620b00610d00612b00207d00620b00612000601600212c00620b00603a", "0x63bb00204100620b00612a0063ba00212a00620b00612c0063b800203e", "0x600200900212d0069e104300620b00712b0063bc00212b00620b006041", "0x900748400204500620b0060430065eb00200220b00600211e00200220b", "0x620b00601b00600c00204700620b00612e00648500212e00620b006045", "0x644c00204d00620b00603e00612b00213000620b00607d006016002131", "0x211e00200220b00600200900204b04d13013100c00604b00620b006047", "0xc00204e00620b00612d00644b00200220b00600900604700200220b006", "0x20b00603e00612b00213200620b00607d00601600204f00620b00601b006", "0x600200900205305113204f00c00605300620b00604e00644c002051006", "0x602b00644b00200220b00600900604700200220b00600211e00200220b", "0x213300620b00601900601600205600620b00601b00600c00212f00620b", "0x5813305600c00613600620b00612f00644c00205800620b00600700612b", "0x264800200220b00601600639900201600c00720b0060070063dd002136", "0x201400620b00600206500201000620b00600f00622400200f00620b006", "0x600201662200201000620b00601000664000201400620b00601400611b", "0x200220b00600200900201c01901b0099e201701500720b007009010014", "0x20b00601500601600206500620b0060c40063b70020c400620b00600202a", "0x2d00202900620b0060650063b800211b00620b00601700612b002054006", "0x1600202a00620b00601c0063b900200220b0060020090020029e3006002", "0x20b00602a0063b800211b00620b00601900612b00205400620b00601b006", "0x3bc00202b00620b00602c0063bb00202c00620b0060290063ba002029006", "0x602d0065eb00200220b00600200900202e0069e402d00620b00702b006", "0x3300620b00603000669e00203000620b00602f00c00769d00202f00620b", "0x3300669f00203900620b00611b00612b00204800620b006054006016002", "0x600c00639900200220b00600200900203503904800900603500620b006", "0x12b00203700620b00605400601600211e00620b00602e0066a000200220b", "0x210d12003700900610d00620b00611e00669f00212000620b00611b006", "0x20b00600213100201600620b00600f0066a100200f00620b00600c0064ba", "0x5df00201701500720b0060160065de00201400620b006002131002010006", "0x620b0060060060160020c400620b00600200600c00200220b006015006", "0x604e00211b00620b00601000604e00205400620b0060170065e0002065", "0x201c01901b00920b00602911b0540650c40165e600202900620b006014", "0x600200900202b0069e502a00620b00701c0065e800200220b006002006", "0x200220b00602e00603300202e02d02c00920b00602a0065e900200220b", "0x603000605300200220b00602f00605100203002f00720b00602c006132", "0x200220b00604800605100203904800720b00602d00613200203300620b", "0x603500600f00203300620b00603300600f00203500620b006039006053", "0x3a10d1200099e603711e00720b00703503300701900c5ea00203500620b", "0x620b00603c0063b700203c00620b00600202a00200220b006002009002", "0x63b800203e00620b00603700612b00207d00620b00611e006016002124", "0x63b900200220b0060020090020029e700600202d00212a00620b006124", "0x620b00610d00612b00207d00620b00612000601600212c00620b00603a", "0x63bb00204100620b00612a0063ba00212a00620b00612c0063b800203e", "0x600200900212d0069e804300620b00712b0063bc00212b00620b006041", "0x900748400204500620b0060430065eb00200220b00600211e00200220b", "0x620b00601b00600c00204700620b00612e00648500212e00620b006045", "0x644c00204d00620b00603e00612b00213000620b00607d006016002131", "0x211e00200220b00600200900204b04d13013100c00604b00620b006047", "0xc00204e00620b00612d00644b00200220b00600900604700200220b006", "0x20b00603e00612b00213200620b00607d00601600204f00620b00601b006", "0x600200900205305113204f00c00605300620b00604e00644c002051006", "0x602b00644b00200220b00600900604700200220b00600211e00200220b", "0x213300620b00601900601600205600620b00601b00600c00212f00620b", "0x5813305600c00613600620b00612f00644c00205800620b00600700612b", "0x600200900200f0160079e900c00900720b0070070060020096a2002136", "0x6a400201400620b00600900600c00201000620b00600c0066a300200220b", "0x6a500200220b0060020090020029ea00600202d00201500620b006010006", "0x20b0060170066a400201400620b00601600600c00201700620b00600f006", "0x604b00201c00620b0060150066a800201b00620b0060026a6002015006", "0x20b00701900636600201900620b0060c401c0076a90020c400620b00601b", "0x211b00620b00606500636800200220b0060020090020540069eb065006", "0x601400600c00202a00620b00602900661200202900620b00611b006226", "0x20b00600200900202c02b00700602c00620b00602a00661300202b00620b", "0x661300202e00620b00601400600c00202d00620b006054006614002002", "0x66aa00200f00620b00600c0064d700202f02e00700602f00620b00602d", "0x201400620b00600213100201000620b00600213100201600620b00600f", "0x600200600c00200220b0060150065df00201701500720b0060160065de", "0x205400620b0060170065e000206500620b0060060060160020c400620b", "0x650c40165e600202900620b00601400604e00211b00620b00601000604e", "0x701c0065e800200220b00600200600201c01901b00920b00602911b054", "0x2c00920b00602a0065e900200220b00600200900202b0069ec02a00620b", "0x5100203002f00720b00602c00613200200220b00602e00603300202e02d", "0x720b00602d00613200203300620b00603000605300200220b00602f006", "0x600f00203500620b00603900605300200220b006048006051002039048", "0x3503300701900c5ea00203500620b00603500600f00203300620b006033", "0x600202a00200220b00600200900203a10d1200099ed03711e00720b007", "0x207d00620b00611e00601600212400620b00603c0063b700203c00620b", "0x9ee00600202d00212a00620b0061240063b800203e00620b00603700612b", "0x612000601600212c00620b00603a0063b900200220b006002009002002", "0x212a00620b00612c0063b800203e00620b00610d00612b00207d00620b", "0x712b0063bc00212b00620b0060410063bb00204100620b00612a0063ba", "0x5eb00200220b00600211e00200220b00600200900212d0069ef04300620b", "0x612e00648500212e00620b00604500900748400204500620b006043006", "0x213000620b00607d00601600213100620b00601b00600c00204700620b", "0x4d13013100c00604b00620b00604700644c00204d00620b00603e00612b", "0x220b00600900604700200220b00600211e00200220b00600200900204b", "0x7d00601600204f00620b00601b00600c00204e00620b00612d00644b002", "0x5300620b00604e00644c00205100620b00603e00612b00213200620b006", "0x4700200220b00600211e00200220b00600200900205305113204f00c006", "0x620b00601b00600c00212f00620b00602b00644b00200220b006009006", "0x644c00205800620b00600700612b00213300620b006019006016002056", "0x200f00620b00600c0064eb00213605813305600c00613600620b00612f", "0x620b00600213100201000620b00600213100201600620b00600f0066ac", "0x600c00200220b0060150065df00201701500720b0060160065de002014", "0x620b0060170065e000206500620b0060060060160020c400620b006002", "0x165e600202900620b00601400604e00211b00620b00601000604e002054", "0x65e800200220b00600200600201c01901b00920b00602911b0540650c4", "0x20b00602a0065e900200220b00600200900202b0069f002a00620b00701c", "0x3002f00720b00602c00613200200220b00602e00603300202e02d02c009", "0x602d00613200203300620b00603000605300200220b00602f006051002", "0x203500620b00603900605300200220b00604800605100203904800720b", "0x701900c5ea00203500620b00603500600f00203300620b00603300600f", "0x2a00200220b00600200900203a10d1200099f103711e00720b007035033", "0x620b00611e00601600212400620b00603c0063b700203c00620b006002", "0x202d00212a00620b0061240063b800203e00620b00603700612b00207d", "0x601600212c00620b00603a0063b900200220b0060020090020029f2006", "0x620b00612c0063b800203e00620b00610d00612b00207d00620b006120", "0x63bc00212b00620b0060410063bb00204100620b00612a0063ba00212a", "0x220b00600211e00200220b00600200900212d0069f304300620b00712b", "0x648500212e00620b00604500900748400204500620b0060430065eb002", "0x620b00607d00601600213100620b00601b00600c00204700620b00612e", "0x13100c00604b00620b00604700644c00204d00620b00603e00612b002130", "0x600900604700200220b00600211e00200220b00600200900204b04d130", "0x1600204f00620b00601b00600c00204e00620b00612d00644b00200220b", "0x20b00604e00644c00205100620b00603e00612b00213200620b00607d006", "0x220b00600211e00200220b00600200900205305113204f00c006053006", "0x601b00600c00212f00620b00602b00644b00200220b006009006047002", "0x205800620b00600700612b00213300620b00601900601600205600620b", "0x620b00600c0064fb00213605813305600c00613600620b00612f00644c", "0x600213100201000620b00600213100201600620b00600f0066ad00200f", "0x200220b0060150065df00201701500720b0060160065de00201400620b", "0x60170065e000206500620b0060060060160020c400620b00600200600c", "0x202900620b00601400604e00211b00620b00601000604e00205400620b", "0x200220b00600200600201c01901b00920b00602911b0540650c40165e6", "0x2a0065e900200220b00600200900202b0069f402a00620b00701c0065e8", "0x720b00602c00613200200220b00602e00603300202e02d02c00920b006", "0x613200203300620b00603000605300200220b00602f00605100203002f", "0x620b00603900605300200220b00604800605100203904800720b00602d", "0xc5ea00203500620b00603500600f00203300620b00603300600f002035", "0x220b00600200900203a10d1200099f503711e00720b007035033007019", "0x611e00601600212400620b00603c0063b700203c00620b00600202a002", "0x212a00620b0061240063b800203e00620b00603700612b00207d00620b", "0x212c00620b00603a0063b900200220b0060020090020029f600600202d", "0x612c0063b800203e00620b00610d00612b00207d00620b006120006016", "0x212b00620b0060410063bb00204100620b00612a0063ba00212a00620b", "0x600211e00200220b00600200900212d0069f704300620b00712b0063bc", "0x212e00620b00604500900748400204500620b0060430065eb00200220b", "0x607d00601600213100620b00601b00600c00204700620b00612e006485", "0x604b00620b00604700644c00204d00620b00603e00612b00213000620b", "0x604700200220b00600211e00200220b00600200900204b04d13013100c", "0x4f00620b00601b00600c00204e00620b00612d00644b00200220b006009", "0x4e00644c00205100620b00603e00612b00213200620b00607d006016002", "0x600211e00200220b00600200900205305113204f00c00605300620b006", "0x600c00212f00620b00602b00644b00200220b00600900604700200220b", "0x620b00600700612b00213300620b00601900601600205600620b00601b", "0x600c00650e00213605813305600c00613600620b00612f00644c002058", "0x13100201000620b00600213100201600620b00600f0066ae00200f00620b", "0x20b0060150065df00201701500720b0060160065de00201400620b006002", "0x65e000206500620b0060060060160020c400620b00600200600c002002", "0x620b00601400604e00211b00620b00601000604e00205400620b006017", "0x20b00600200600201c01901b00920b00602911b0540650c40165e6002029", "0x5e900200220b00600200900202b0069f802a00620b00701c0065e8002002", "0x602c00613200200220b00602e00603300202e02d02c00920b00602a006", "0x203300620b00603000605300200220b00602f00605100203002f00720b", "0x603900605300200220b00604800605100203904800720b00602d006132", "0x203500620b00603500600f00203300620b00603300600f00203500620b", "0x600200900203a10d1200099f903711e00720b00703503300701900c5ea", "0x601600212400620b00603c0063b700203c00620b00600202a00200220b", "0x620b0061240063b800203e00620b00603700612b00207d00620b00611e", "0x620b00603a0063b900200220b0060020090020029fa00600202d00212a", "0x63b800203e00620b00610d00612b00207d00620b00612000601600212c", "0x620b0060410063bb00204100620b00612a0063ba00212a00620b00612c", "0x11e00200220b00600200900212d0069fb04300620b00712b0063bc00212b", "0x620b00604500900748400204500620b0060430065eb00200220b006002", "0x601600213100620b00601b00600c00204700620b00612e00648500212e", "0x620b00604700644c00204d00620b00603e00612b00213000620b00607d", "0x200220b00600211e00200220b00600200900204b04d13013100c00604b", "0x20b00601b00600c00204e00620b00612d00644b00200220b006009006047", "0x44c00205100620b00603e00612b00213200620b00607d00601600204f006", "0x11e00200220b00600200900205305113204f00c00605300620b00604e006", "0x212f00620b00602b00644b00200220b00600900604700200220b006002", "0x600700612b00213300620b00601900601600205600620b00601b00600c", "0x661f00213605813305600c00613600620b00612f00644c00205800620b", "0x720b00600900613000200900620b00600700662000200700620b006002", "0x604e00201400620b00601600604b00200220b00600c00604d00201600c", "0x601000603300201000f00720b00601501400704f00201500620b006006", "0x61ff00201b00620b00600f00604e00201700620b00600202a00200220b", "0x66b100200700620b0060020066af00201901b00700601900620b006017", "0x20b00600c00604d00201600c00720b00600900613000200900620b006007", "0x704f00201500620b00600600604e00201400620b00601600604b002002", "0x620b00600202a00200220b00601000603300201000f00720b006015014", "0x1b00700601900620b0060170061ff00201b00620b00600f00604e002017", "0x20b00600206500200c00620b00600268a00200220b006009006396002019", "0x12b00201b00620b00600600601600201700620b00600200600c002016006", "0x20b00600c00661600201c00620b00601600611b00201900620b006007006", "0x66b400201501401000f00c20b0060c401c01901b0170166b30020c4006", "0x20b0060650066b500200220b0060020090020540069fc06500620b007015", "0x18f00202900620b00602a0066b700202a00620b00611b0066b600211b006", "0x602b0060be00200220b00600200900202c0069fd02b00620b007029006", "0x202f00620b00602e00653a00202e00620b00602d00653900202d00620b", "0x601400612b00203300620b00601000601600203000620b00600f00600c", "0x200900203904803303000c00603900620b00602f00621300204800620b", "0x211e00620b00600f00600c00203500620b00602c00653b00200220b006", "0x603500621300212000620b00601400612b00203700620b006010006016", "0x605400653b00200220b00600200900210d12003711e00c00610d00620b", "0x212400620b00601000601600203c00620b00600f00600c00203a00620b", "0x7d12403c00c00603e00620b00603a00621300207d00620b00601400612b", "0x20b00600206500200c00620b00600268800200220b00600900620c00203e", "0x12b00201b00620b00600600601600201700620b00600200600c002016006", "0x20b00600c00661600201c00620b00601600611b00201900620b006007006", "0x66b400201501401000f00c20b0060c401c01901b0170166b30020c4006", "0x20b0060650066b500200220b0060020090020540069fe06500620b007015", "0x18f00202900620b00602a0066b700202a00620b00611b0066b600211b006", "0x602b0060be00200220b00600200900202c0069ff02b00620b007029006", "0x202f00620b00602e00653a00202e00620b00602d00653900202d00620b", "0x601400612b00203300620b00601000601600203000620b00600f00600c", "0x200900203904803303000c00603900620b00602f00621300204800620b", "0x211e00620b00600f00600c00203500620b00602c00653b00200220b006", "0x603500621300212000620b00601400612b00203700620b006010006016", "0x605400653b00200220b00600200900210d12003711e00c00610d00620b", "0x212400620b00601000601600203c00620b00600f00600c00203a00620b", "0x7d12403c00c00603e00620b00603a00621300207d00620b00601400612b", "0x9002016006a0200c006a01009006a0000700620b00c00200667600203e", "0x1401000720b00600f00613000200f00620b0060020ef00200220b006002", "0x600600604e00201b00620b00601400604b00200220b00601000604d002", "0x220b00601700603300201701500720b00601901b00704f00201900620b", "0x650076b800205400620b00601500604e00206500620b0060070061ff002", "0x620b00601c00604e00200220b0060c40060330020c401c00720b006054", "0x2900620b00600200000200220b006002009002002a0300600202d00211b", "0x2b00604b00200220b00602a00604d00202b02a00720b006029006130002", "0x720b00602f02e00704f00202f00620b00600600604e00202e00620b006", "0x604e00204800620b0060090061ff00200220b00602d00603300202d02c", "0x603300603300203303000720b0060390480076b800203900620b00602c", "0x6002009002002a0300600202d00211b00620b00603000604e00200220b", "0x4d00203711e00720b00603500613000203500620b0060023f700200220b", "0x620b00600600604e00203a00620b00603700604b00200220b00611e006", "0x1ff00200220b00610d00603300210d12000720b00603c03a00704f00203c", "0x612a03e0076b800212a00620b00612000604e00203e00620b00600c006", "0x211b00620b00612400604e00200220b00607d00603300207d12400720b", "0x13000212c00620b0060026b900200220b006002009002002a0300600202d", "0x20b00604100604b00200220b00612b00604d00204112b00720b00612c006", "0x12d04300720b00612e04500704f00212e00620b00600600604e002045006", "0x604300604e00213000620b0060160061ff00200220b00612d006033002", "0x220b00613100603300213104700720b00604d1300076b800204d00620b", "0x611b00652d00204b00620b00600202a00211b00620b00604700604e002", "0x600c00656700204f04e00700604f00620b00604b0061ff00204e00620b", "0x13100201000620b00600213100201600620b00600f0066ba00200f00620b", "0x20b0060150065df00201701500720b0060160065de00201400620b006002", "0x65e000206500620b0060060060160020c400620b00600200600c002002", "0x620b00601400604e00211b00620b00601000604e00205400620b006017", "0x20b00600200600201c01901b00920b00602911b0540650c40165e6002029", "0x5e900200220b00600200900202b006a0402a00620b00701c0065e8002002", "0x602c00613200200220b00602e00603300202e02d02c00920b00602a006", "0x203300620b00603000605300200220b00602f00605100203002f00720b", "0x603900605300200220b00604800605100203904800720b00602d006132", "0x203500620b00603500600f00203300620b00603300600f00203500620b", "0x600200900203a10d120009a0503711e00720b00703503300701900c5ea", "0x601600212400620b00603c0063b700203c00620b00600202a00200220b", "0x620b0061240063b800203e00620b00603700612b00207d00620b00611e", "0x620b00603a0063b900200220b006002009002002a0600600202d00212a", "0x63b800203e00620b00610d00612b00207d00620b00612000601600212c", "0x620b0060410063bb00204100620b00612a0063ba00212a00620b00612c", "0x11e00200220b00600200900212d006a0704300620b00712b0063bc00212b", "0x620b00604500900748400204500620b0060430065eb00200220b006002", "0x601600213100620b00601b00600c00204700620b00612e00648500212e", "0x620b00604700644c00204d00620b00603e00612b00213000620b00607d", "0x200220b00600211e00200220b00600200900204b04d13013100c00604b", "0x20b00601b00600c00204e00620b00612d00644b00200220b006009006047", "0x44c00205100620b00603e00612b00213200620b00607d00601600204f006", "0x11e00200220b00600200900205305113204f00c00605300620b00604e006", "0x212f00620b00602b00644b00200220b00600900604700200220b006002", "0x600700612b00213300620b00601900601600205600620b00601b00600c", "0x207500213605813305600c00613600620b00612f00644c00205800620b", "0x211e00200220b00600213900200f00620b00600233500200c00620b006", "0x201b00620b00600700600f00201700620b00600200600c00200220b006", "0x6a0801600620b00701500633700201501401000920b00601b017007336", "0x606500607600206500620b00601400600f00200220b006002009002019", "0x620b0070c400607700201600620b00601600f0073390020c401c00720b", "0x1600202b00620b00601000600c00200220b006002009002054006a09009", "0x600900c00707900202d00620b00601c00600f00202c00620b006006006", "0x702a00614b00202a02911b00920b00602d02c02b00914600200900620b", "0x3000720b00602e00607b00200220b00600200900202f006a0a02e00620b", "0x6bb00200220b006002009002039006a0b04800620b00703300614a002033", "0x300076bd00211e00620b0060350066bc00203500620b006048009016009", "0x620b00611b00600c00212000620b0060370066c100203700620b00611e", "0x10d00900603c00620b0061200066c200203a00620b00602900601600210d", "0x600900604d00200220b0060160060fa00200220b00600200900203c03a", "0x207d00620b0061240300076bd00212400620b0060390066c300200220b", "0x602900601600212a00620b00611b00600c00203e00620b00607d0066c1", "0x600200900212b12c12a00900612b00620b00603e0066c200212c00620b", "0x2f0066be00200220b0060160060fa00200220b00600900604d00200220b", "0x12d00620b00602900601600204300620b00611b00600c00204100620b006", "0x200220b00600200900204512d04300900604500620b0060410066c2002", "0x620b0060540066c300200220b00600c00614e00200220b0060160060fa", "0xc00213100620b0060470066c100204700620b00612e01c0076bd00212e", "0x20b0061310066c200204d00620b00600600601600213000620b006010006", "0x220b00600c00614e00200220b00600200900204b04d13000900604b006", "0x4e0140076bd00204e00620b0060190066c300200220b00600f00634d002", "0x5100620b00601000600c00213200620b00604f0066c100204f00620b006", "0x5305100900612f00620b0061320066c200205300620b006006006016002", "0x200900201000f016009a0c00c00900700920b0070060020076bf00212f", "0x201500620b00600700601600201400620b00600c0066c000200220b006", "0xa0d00600202d00201b00620b0060140066c400201700620b00600900612b", "0x601600601600201900620b0060100066c600200220b006002009002002", "0x201b00620b0060190066c400201700620b00600f00612b00201500620b", "0x701c00657700201c00620b0060c40066c80020c400620b00601b0066c7", "0x11b00620b00606500657900200220b006002009002054006a0e06500620b", "0x1500601600202a00620b0060290066ca00202900620b00611b0066c9002", "0x2d00620b00602a0066cb00202c00620b00601700612b00202b00620b006", "0x202e00620b0060540066cc00200220b00600200900202d02c02b009006", "0x602e0066cb00203000620b00601700612b00202f00620b006015006016", "0xa0f00c00900720b0070070060020096cd00203303002f00900603300620b", "0xf0066cf00200f00620b00600c0066ce00200220b006002009002016006", "0x1500620b0060100066d100201400620b00600900600c00201000620b006", "0x222a00201700620b00600213100200220b006002009002015014007006", "0x620b00601b01700705b00201b00620b00601b00604b00201b00620b006", "0x66d20020c400620b00601901c00705d00201c00620b006002135002019", "0x620b0060650066d100205400620b00601600600c00206500620b0060c4", "0x620b00600700612b00201000620b00600600601600211b05400700611b", "0x1500620b00700f0061c800200f01600c00920b0060140100070f4002014", "0x61d400201b00620b0060150061ca00200220b006002009002017006a10", "0x202a02911b0540650c401c01020b0060190061eb00201900620b00601b", "0x220b00605400606100200220b0060c40060fa00200220b00601c00604d", "0x20b00602a00604d00200220b00602900604d00200220b00611b00604d002", "0x650066d500202b00620b00602b0066d500202b00620b0060026d3002002", "0x202f02e007a1102d02c00720b00706502b00200922b00206500620b006", "0x203000620b00600202a00200220b00602d0061ef00200220b006002009", "0x603300602c00204800620b00602c00600c00203300620b00603000602e", "0x602f0061ef00200220b006002009002002a1200600202d00203900620b", "0x600c00211e00620b00603500602b00203500620b00600202a00200220b", "0x620b00603900602f00203900620b00611e00602c00204800620b00602e", "0x10d006a1312000620b00703700603000203700620b00603700602c002037", "0x3a00620b0060026d600200220b00612000603300200220b006002009002", "0xa1412403c00720b00703a0090480096d700203a00620b00603a00611b002", "0x600202a00200220b0061240060c400200220b00600200900203e07d007", "0x212b00620b00603c00600c00212c00620b00612a00602b00212a00620b", "0x200220b006002009002002a1500600202d00204100620b00612c00602c", "0x620b00604300602e00204300620b00600202a00200220b00603e0060c4", "0x602f00204100620b00612d00602c00212b00620b00607d00600c00212d", "0x620b00704500603000204500620b00604500602c00204500620b006041", "0x202a00200220b00612e00603300200220b006002009002047006a1612e", "0x4d00620b00613000622300213000620b00613100663500213100620b006", "0x1600612b00204e00620b00600c00601600204b00620b00612b00600c002", "0x900213204f04e04b00c00613200620b00604d00663600204f00620b006", "0x6d900205100620b00600213100200220b00604700603300200220b006002", "0x20b00605305100705b00205300620b00605300604b00205300620b006002", "0x63700213300620b00612f05600705d00205600620b00600213500212f006", "0x20b00600c00601600213600620b00612b00600c00205800620b006133006", "0xc00613500620b00605800663600205b00620b00601600612b002134006", "0x60c400200220b00610d00603300200220b00600200900213505b134136", "0x4b00213700620b0060026da00205d00620b00600213100200220b006009", "0x20b00600213500205f00620b00613705d00705b00213700620b006137006", "0x206400620b00613800663700213800620b00605f06100705d002061006", "0x601600612b00206700620b00600c00601600213900620b00604800600c", "0x200900206913b06713900c00606900620b00606400663600213b00620b", "0xc00206a00620b00601700663700200220b0060090060c400200220b006", "0x20b00601600612b00213c00620b00600c00601600206c00620b006002006", "0x20096db00213f06f13c06c00c00613f00620b00606a00663600206f006", "0x66dc00200220b00600200900200f016007a1700c00900720b007007006", "0x620b0060100066dd00201400620b00600900600c00201000620b00600c", "0x620b00600f0066df00200220b006002009002002a1800600202d002015", "0x26e000201500620b0060170066dd00201400620b00601600600c002017", "0xc400620b00601b00604b00201c00620b0060150066e100201b00620b006", "0x54006a1906500620b00701900618f00201900620b0060c401c0076e2002", "0x20b00611b00653900211b00620b0060650060be00200220b006002009002", "0x21300202b00620b00601400600c00202a00620b00602900653a002029006", "0x5400653b00200220b00600200900202c02b00700602c00620b00602a006", "0x2f00620b00602d00621300202e00620b00601400600c00202d00620b006", "0x620b00601000601b00201000f00720b00600f0066e300202f02e007006", "0xc400201b01700720b00601500601c00201500620b006014006019002014", "0x1c00720b00601900601c00201900620b0060026e400200220b006017006", "0x6500601c00206500620b00601b00605400200220b00601c0060c40020c4", "0x2900620b0060c400605400200220b0060540060c400211b05400720b006", "0x11b00605400200220b00602a0060c400202b02a00720b00602900601c002", "0x2c00620b00602c00611b00202d00620b00602b00605400202c00620b006", "0x600202a00200220b006002009002002a1a00220b00702d02c007029002", "0x203000620b00602f00602c00202f00620b00602e00602b00202e00620b", "0x2e00203300620b00600202a00200220b006002009002002a1b00600202d", "0x20b00603000602f00203000620b00604800602c00204800620b006033006", "0x6a1c03500620b00703900603000203900620b00603900602c002039006", "0x20b00600f0066e500200220b00603500603300200220b00600200900211e", "0x203a00620b00610d0066e600210d00620b00612000601b002120037007", "0x20b00603a00609900203e00620b00600200600c00203c00620b006002065", "0x12400720b00612c12a03e0096e700212c00620b00603c00611b00212a006", "0x6e900200220b006002009002041006a1d12b00620b00707d0066e800207d", "0x20b00612d0061b200212d00620b0060430061a600204300620b00612b006", "0x1b00200220b00612e00606100204712e00720b0060370066e5002045006", "0x620b00600259200213000620b0061310066e600213100620b006047006", "0x611b00213200620b00613000609900204f00620b00612400600c00204d", "0x4500604b00204e04b00720b00605113204f0096e700205100620b00604d", "0x20b00600200900212f006a1e05300620b00704e0066e800204500620b006", "0x61b200213300620b0060560061a600205600620b0060530066e9002002", "0x20b00613600637100213600c00720b00600c0065fe00205800620b006133", "0x5b00639b00200220b00613400639500213806105f13705d13505b134014", "0x639700200220b00613700639800200220b00605d00639900200220b006", "0x1600200220b00613800620c00200220b00606100639600200220b00605f", "0x20b0061350063d300206900620b00600900612b00213b00620b006007006", "0x20b00605800604b00206713906400920b00606a06913b0093d400206a006", "0x200220b00600200900213c006a1f06c00620b007067006151002058006", "0x600600612c00214500620b00604b00600c00206f00620b00606c006152", "0x7600620b00607600604b00207601600720b00601600635a00207500620b", "0x604b00207904500720b00604500635a00207700620b00606f00604b002", "0x20b00614600604b00214605800720b00605800635a00207900620b006079", "0x603000214107113f00920b00614607907707607514500f670002146006", "0x20b00614b00603300200220b00600200900207b006a2014b00620b007141", "0x14a00639500208314f14e1521510c707f14a01420b00600c006371002002", "0x639800200220b0060c700639a00200220b00607f00639b00200220b006", "0x20c00200220b00614f00639600200220b00614e00639700200220b006152", "0x620b00613900612b00216100620b00606400601600200220b006083006", "0x15008500920b00615f1601610093df00215f00620b0061510063de002160", "0x15200200220b006002009002163006a2115d00620b00715e00615100215e", "0x20b00607100612c00215700620b00613f00600c00215c00620b00615d006", "0x4b00216e00620b00615c00604b00215b00620b00601600604b00208a006", "0x15b08a15700f6700020ed00620b00605800604b00216800620b006045006", "0x612c00208e00620b00616200600c00215408716200920b0060ed16816e", "0x620b00615000612b0020d000620b00608500601600216b00620b006087", "0x20b006002009002002a2200600202d00209200620b00615400602c00216c", "0x601600604d00200220b00604500604d00200220b00605800604d002002", "0x12c00217100620b00613f00600c00216d00620b0061630063ab00200220b", "0x20b00615000612b00217300620b00608500601600209400620b006071006", "0x200900217509617309417101600617500620b00616d0063aa002096006", "0x604d00200220b00601600604d00200220b00607b00603300200220b006", "0x2a00200220b00600c00604700200220b00604500604d00200220b006058", "0x620b00613f00600c00209900620b0060d100602e0020d100620b006002", "0x612b0020d000620b00606400601600216b00620b00607100612c00208e", "0x620b0060920063a800209200620b00609900602c00216c00620b006139", "0x612c00217a00620b00608e00600c00209b00620b0061760063a9002176", "0x620b00616c00612b00217c00620b0060d000601600209d00620b00616b", "0x60020090020a00cc17c09d17a0160060a000620b00609b0063aa0020cc", "0x5800604d00200220b00601600604d00200220b00600c00604700200220b", "0xc00217d00620b00613c0063ab00200220b00604500604d00200220b006", "0x20b00606400601600217e00620b00600600612c0020a200620b00604b006", "0x160060cd00620b00617d0063aa00217f00620b00613900612b0020a4006", "0x4d00200220b00600c00604700200220b0060020090020cd17f0a417e0a2", "0xd200620b00612f0063ab00200220b00604500604d00200220b006016006", "0x700601600218000620b00600600612c0020a800620b00604b00600c002", "0x18100620b0060d20063aa0020ab00620b00600900612b0020ce00620b006", "0x220b00600c00604700200220b0060020090021810ab0ce1800a8016006", "0x20b0060410063ab00200220b00603700606100200220b00601600604d002", "0x160020c900620b00600600612c0020c800620b00612400600c0020cf006", "0x20b0060cf0063aa0020cb00620b00600900612b0020ca00620b006007006", "0x611e00603300200220b0060020090020c60cb0ca0c90c80160060c6006", "0xf00606100200220b00601600604d00200220b00600c00604700200220b", "0x3a80020b500620b0060b300602b0020b300620b00600202a00200220b006", "0x20b00600200600c0020b700620b00618e0063a900218e00620b0060b5006", "0x12b0020bb00620b0060070060160020ba00620b00600600612c0020b9006", "0xbd0bb0ba0b901600618f00620b0060b70063aa0020bd00620b006009006", "0x1900201400620b00601000601b00201000f00720b00600f0066e300218f", "0x60170060c400201b01700720b00601500601c00201500620b006014006", "0xc40020c401c00720b00601900601c00201900620b0060026e400200220b", "0x720b00606500601c00206500620b00601b00605400200220b00601c006", "0x601c00202900620b0060c400605400200220b0060540060c400211b054", "0x620b00611b00605400200220b00602a0060c400202b02a00720b006029", "0x702900202c00620b00602c00611b00202d00620b00602b00605400202c", "0x2e00620b00600202a00200220b006002009002002a2300220b00702d02c", "0x600202d00203000620b00602f00602c00202f00620b00602e00602b002", "0x603300602e00203300620b00600202a00200220b006002009002002a24", "0x203900620b00603000602f00203000620b00604800602c00204800620b", "0x900211e006a2503500620b00703900603000203900620b00603900602c", "0x12003700720b00600f0066e500200220b00603500603300200220b006002", "0x600206500203a00620b00610d0066e600210d00620b00612000601b002", "0x212a00620b00603a00609900203e00620b00600200600c00203c00620b", "0x6e800207d12400720b00612c12a03e0096e700212c00620b00603c00611b", "0x612b0066e900200220b006002009002041006a2612b00620b00707d006", "0x204500620b00612d0061b200212d00620b0060430061a600204300620b", "0x604700601b00200220b00612e00606100204712e00720b0060370066e5", "0xc00204d00620b00600259200213000620b0061310066e600213100620b", "0x20b00604d00611b00213200620b00613000609900204f00620b006124006", "0x620b00604500604b00204e04b00720b00605113204f0096e7002051006", "0x6e900200220b00600200900212f006a2705300620b00704e0066e8002045", "0x20b0061330061b200213300620b0060560061a600205600620b006053006", "0x639500206105f13705d13505b13413601420b00600c006371002058006", "0x39800200220b00613500639900200220b00605b00639a00200220b006136", "0x200220b00605f00639600200220b00613700639700200220b00605d006", "0x20b00600900612b00206700620b00600700601600200220b00606100620c", "0x13800920b00606913b0670093d100206900620b0061340063d000213b006", "0x6a2806a00620b00713900615100205800620b00605800604b002139064", "0x604b00600c00213c00620b00606a00615200200220b00600200900206c", "0x207500620b00601600604b00214500620b00600600612c00214100620b", "0x605800604b00207700620b00604500604b00207600620b00613c00604b", "0x3a800207113f06f00920b00607907707607514514100f67000207900620b", "0x20b00606f00600c00214b00620b0061460063a900214600620b006071006", "0x12b00207f00620b00613800601600214a00620b00613f00612c00207b006", "0xc707f14a07b01600615100620b00614b0063aa0020c700620b006064006", "0x20b00604500604d00200220b00605800604d00200220b006002009002151", "0x4b00600c00215200620b00606c0063ab00200220b00601600604d002002", "0x8300620b00613800601600214f00620b00600600612c00214e00620b006", "0x14f14e01600615000620b0061520063aa00208500620b00606400612b002", "0xc00604700200220b00601600604d00200220b006002009002150085083", "0xc00215e00620b00612f0063ab00200220b00604500604d00200220b006", "0x20b00600700601600216000620b00600600612c00216100620b00604b006", "0x1600616300620b00615e0063aa00215d00620b00600900612b00215f006", "0x4700200220b00601600604d00200220b00600200900216315d15f160161", "0x15c00620b0060410063ab00200220b00603700606100200220b00600c006", "0x700601600208700620b00600600612c00216200620b00612400600c002", "0x8a00620b00615c0063aa00215700620b00600900612b00215400620b006", "0x220b00611e00603300200220b00600200900208a157154087162016006", "0x20b00600f00606100200220b00600c00604700200220b00601600604d002", "0x16e0063a800216e00620b00615b00602b00215b00620b00600202a002002", "0x8e00620b00600200600c0020ed00620b0061680063a900216800620b006", "0x900612b0020d000620b00600700601600216b00620b00600600612c002", "0x209216c0d016b08e01600609200620b0060ed0063aa00216c00620b006", "0x201400620b00600204800200220b00600213900201000620b006002064", "0x7a2901701500720b00701400600200903500201400620b006014006039", "0x1500600c00201c00620b00600900659000200220b00600200900201901b", "0x6002009002054006a2a0650c400720b00701c00665b00201500620b006", "0x65d00202900620b0060c400659600211b00620b00606500665c00200220b", "0x2a00200220b006002009002002a2b00600202d00202a00620b00611b006", "0x620b00605400659600202c00620b00602b00665e00202b00620b006002", "0x60fc00202d00620b0060290061d600202a00620b00602c00665d002029", "0x600200900202f006a2c02e00620b00702a00666000202d00620b00602d", "0x59d00203000620b00603000659c00203000620b00602e00659b00200220b", "0x604d00203503904800920b00603300659e00203303000720b006030006", "0x211e00620b00604800636100200220b00603500659f00200220b006039", "0xfa00203a10d12000920b00603700659e00203703000720b00603000659d", "0x3c00620b00610d0061b200200220b00603a00659f00200220b006120006", "0x604d00200220b0061240060fa00203e07d12400920b00603000659e002", "0x12a00620b00612a00600f00212a00620b00603e00605300200220b00607d", "0x212d00f043009a2d04112b12c00920b00712a03c11e0070170166ea002", "0xf00200220b00601000614500200220b00600211e00200220b006002009", "0x20b00600200000204500620b0060410160076eb00204100620b006041006", "0x204e00620b00601500600c00204700620b00612e00c0076ec00212e006", "0x602d0060fc00213200620b00612b00612b00204f00620b00612c006016", "0x212f00620b0060450065e100205300620b00604700604b00205100620b", "0x704b0065e300204b04d13013100c20b00612f05305113204f04e00f5e2", "0x5800c20b0060560065e400200220b006002009002133006a2e05600620b", "0x20b0061350066ee00213500620b00605b13413605800c6ed00205b134136", "0x12b00205f00620b00613000601600213700620b00613100600c00205d006", "0x13806105f13700c00613800620b00605d0066ef00206100620b00604d006", "0x20b00613100600c00206400620b0061330066f000200220b006002009002", "0x6ef00213b00620b00604d00612b00206700620b006130006016002139006", "0x11e00200220b00600200900206913b06713900c00606900620b006064006", "0x13100200220b00601600613c00200220b00602d00639c00200220b006002", "0x6c00620b00606c00604b00206c00620b0060026f100206a00620b006002", "0xc00206f00620b00600c13c00705b00213c00620b00606c06a00705b002", "0x20b00606f00604e00207500620b00604300601600214500620b006015006", "0x200f00620b00600f01000713b00207700620b00612d00604e002076006", "0x7900620b00714100607100214107113f00920b00607707607514500c6f2", "0x3300207b14b00720b00607900614100200220b006002009002146006a2f", "0x620b00614b14a00705d00214a00620b00600213500200220b00607b006", "0x601600215100620b00613f00600c0020c700620b00607f0066f000207f", "0x620b0060c70066ef00214e00620b00600f00612b00215200620b006071", "0x620b0061460066f000200220b00600200900214f14e15215100c00614f", "0x612b00215000620b00607100601600208500620b00613f00600c002083", "0x216115e15008500c00616100620b0060830066ef00215e00620b00600f", "0x14500200220b00602f00603300200220b00600211e00200220b006002009", "0x616000c01602d00c6ed00216000620b00600202a00200220b006010006", "0x216300620b00601500600c00215d00620b00615f0066ee00215f00620b", "0x615d0066ef00216200620b00600700612b00215c00620b006017006016", "0x20b00600211e00200220b00600200900208716215c16300c00608700620b", "0x601600613c00200220b00600900639c00200220b00600c00604d002002", "0x600213400215400620b00600213100200220b00601000614500200220b", "0x8a00620b00615715400705b00215700620b00615700604b00215700620b", "0x16e0066f000216e00620b00608a15b00705d00215b00620b006002135002", "0x8e00620b0060190060160020ed00620b00601b00600c00216800620b006", "0x8e0ed00c0060d000620b0061680066ef00216b00620b00600700612b002", "0x600600700620b0060060065e000200600620b0060020066f30020d016b", "0x6a3100f006a3001600620b01c0070066f400200220b00600211e002007", "0xa3801c006a37019006a3601b006a35017006a34015006a33014006a32010", "0x26f500200220b00600200900211b006a3b054006a3a065006a390c4006", "0x620b00602900900705b00202900620b00602900604b00202900620b006", "0x604e00202f00620b00602a00604e00202e00620b00601600656700202a", "0x603300202d02c02b00920b00603002f02e0096f600203000620b00600c", "0x4800620b00600600601600203300620b00600200600c00200220b00602d", "0x600202d00203500620b00602c00604e00203900620b00602b00604e002", "0x611e00604b00211e00620b0060026f700200220b006002009002002a3c", "0x3c00620b00600200600c00203700620b00611e00900705b00211e00620b", "0x3700604e00207d00620b00600f00630b00212400620b006006006016002", "0x12a03e07d12403c0166f800212a00620b00600c00604e00203e00620b006", "0x200900212b006a3d12c00620b00703a0065e800203a10d12000920b006", "0x220b00612d00603300212d04304100920b00612c0065e900200220b006", "0x4100604e00204800620b00610d00601600203300620b00612000600c002", "0x9002002a3c00600202d00203500620b00604300604e00203900620b006", "0x12e00620b00612000600c00204500620b00612b0066f900200220b006002", "0x4712e00900613100620b0060450066fd00204700620b00610d006016002", "0x20b00613000604b00213000620b0060026fe00200220b006002009002131", "0x213200620b0060100064d700204d00620b00613000900705b002130006", "0x511320096ff00205300620b00600c00604e00205100620b00604d00604e", "0x20b00600200600c00200220b00604f00603300204f04e04b00920b006053", "0x4e00203900620b00604b00604e00204800620b006006006016002033006", "0x6fa00200220b006002009002002a3c00600202d00203500620b00604e006", "0x20b00612f00900705b00212f00620b00612f00604b00212f00620b006002", "0x4e00205b00620b00605600604e00213400620b0060140064eb002056006", "0x3300213605813300920b00613505b1340096fb00213500620b00600c006", "0x620b00600600601600203300620b00600200600c00200220b006136006", "0x202d00203500620b00605800604e00203900620b00613300604e002048", "0x5d00604b00205d00620b0060026fc00200220b006002009002002a3c006", "0x620b0060150064fb00213700620b00605d00900705b00205d00620b006", "0x970000206700620b00600c00604e00213900620b00613700604e002064", "0x200600c00200220b00613800603300213806105f00920b006067139064", "0x3900620b00605f00604e00204800620b00600600601600203300620b006", "0x220b006002009002002a3c00600202d00203500620b00606100604e002", "0x13b00900705b00213b00620b00613b00604b00213b00620b006002702002", "0x13f00620b00606900604e00206f00620b00601700650e00206900620b006", "0x13c06c06a00920b00607113f06f00970300207100620b00600c00604e002", "0x600600601600203300620b00600200600c00200220b00613c006033002", "0x203500620b00606c00604e00203900620b00606a00604e00204800620b", "0x4b00214100620b00600270400200220b006002009002002a3c00600202d", "0x601b00644600214500620b00614100900705b00214100620b006141006", "0x214b00620b00600c00604e00214600620b00614500604e00207900620b", "0xc00200220b00607700603300207707607500920b00614b146079009705", "0x20b00607500604e00204800620b00600600601600203300620b006002006", "0x6002009002002a3c00600202d00203500620b00607600604e002039006", "0x705b00207b00620b00607b00604b00207b00620b00600270600200220b", "0x20b00614a00604e00215200620b00601900645800214a00620b00607b009", "0x7f00920b00614f14e15200970700214f00620b00600c00604e00214e006", "0x601600203300620b00600200600c00200220b0061510060330021510c7", "0x620b0060c700604e00203900620b00607f00604e00204800620b006006", "0x8300620b00600270800200220b006002009002002a3c00600202d002035", "0x649f00208500620b00608300900705b00208300620b00608300604b002", "0x620b00600c00604e00215f00620b00608500604e00216000620b00601c", "0x220b00616100603300216115e15000920b00615d15f16000922e00215d", "0x15000604e00204800620b00600600601600203300620b00600200600c002", "0x9002002a3c00600202d00203500620b00615e00604e00203900620b006", "0x216300620b00616300604b00216300620b00600270900200220b006002", "0x15c00604e00215700620b0060c40064ba00215c00620b00616300900705b", "0x20b00615b08a15700970a00215b00620b00600c00604e00208a00620b006", "0x203300620b00600200600c00200220b006154006033002154087162009", "0x608700604e00203900620b00616200604e00204800620b006006006016", "0x20b00600270b00200220b006002009002002a3c00600202d00203500620b", "0x216800620b00616e00900705b00216e00620b00616e00604b00216e006", "0x600c00604e00216c00620b00616800604e0020d000620b0060650063bf", "0x616b00603300216b08e0ed00920b00609216c0d000970c00209200620b", "0x4e00204800620b00600600601600203300620b00600200600c00200220b", "0x2a3c00600202d00203500620b00608e00604e00203900620b0060ed006", "0x620b00616d00604b00216d00620b00600270d00200220b006002009002", "0x4e00217500620b0060540063ee00217100620b00616d00900705b00216d", "0x990d117500970e00209900620b00600c00604e0020d100620b006171006", "0x620b00600200600c00200220b00609600603300209617309400920b006", "0x604e00203900620b00609400604e00204800620b006006006016002033", "0x270f00200220b006002009002002a3c00600202d00203500620b006173", "0x620b00617600900705b00217600620b00617600604b00217600620b006", "0x604e0020a000620b00609b00604e0020cc00620b00611b00648000209b", "0x603300217c09d17a00920b00617d0a00cc00922d00217d00620b00600c", "0x4800620b00600600601600203300620b00600200600c00200220b00617c", "0x600202a00203500620b00609d00604e00203900620b00617a00604e002", "0x620b00617e00671200217e00620b0060a20350390097110020a200620b", "0x66fd0020cd00620b00604800601600217f00620b00603300600c0020a4", "0x70066e300200220b00600211e0020d20cd17f0090060d200620b0060a4", "0x620b00601600601b00201600620b00600c00671300200c00700720b006", "0xc400201501400720b00601000601c00201000620b00600f00601900200f", "0x620b00600900604e00201900620b00601500611b00200220b006014006", "0x71300200220b00601b00603300201b01700720b00601c0190070bf00201c", "0x20b00600600601600202900620b00600200600c0020c400620b006007006", "0x21800202c00620b00601700604e00202b00620b0060c400600f00202a006", "0xa3e02d00620b00711b00607100211b05406500920b00602c02b02a02900c", "0x731900203002f00720b00602d00614100200220b00600200900202e006", "0x20b00606500600c00204800620b00603300631a00203300620b00603002f", "0x900611e00620b00604800631b00203500620b006054006016002039006", "0x600c00203700620b00602e00631c00200220b00600200900211e035039", "0x620b00603700631b00210d00620b00605400601600212000620b006065", "0x600700601b00200700600720b0060060066e300203a10d12000900603a", "0xf01600720b00600c00601c00200c00620b00600900601900200900620b", "0x20b00601000601c00201000620b0060026e400200220b0060160060c4002", "0x5400201700620b00600f00605400200220b0060140060c4002015014007", "0x701b01700702900201700620b00601700611b00201b00620b006015006", "0x201900600720b0060060066e300200220b006002009002002a3f00220b", "0x60c400601c0020c400620b00601c00601900201c00620b00601900601b", "0x1c00211b00620b00600271400200220b0060650060c400205406500720b", "0x20b00605400605400200220b0060290060c400202a02900720b00611b006", "0x2900202b00620b00602b00611b00202c00620b00602a00605400202b006", "0x620b00600202a00200220b006002009002002a4000220b00702c02b007", "0x202d00202f00620b00602e00602c00202e00620b00602d00602b00202d", "0x3000602e00203000620b00600202a00200220b006002009002002a41006", "0x4800620b00602f00602f00202f00620b00603300602c00203300620b006", "0x2035006a4203900620b00704800603000204800620b00604800602c002", "0x211e00620b00600213100200220b00603900603300200220b006002009", "0x10d0066e600210d00620b00612000601b00212003700720b0060060066e5", "0x203e00620b00600200600c00203c00620b00600206500203a00620b006", "0x12a03e0096e700212c00620b00603c00611b00212a00620b00603a006099", "0x2009002041006a4312b00620b00707d0066e800207d12400720b00612c", "0x212d00620b0060430061a600204300620b00612b0066e900200220b006", "0x4511e00705b00204500620b00604500604b00204500620b00612d0061b2", "0x620b00613100601b00213104700720b0060370066e500212e00620b006", "0x12400600c00204b00620b00600259200204d00620b0061300066e6002130", "0x5300620b00604b00611b00205100620b00604d00609900213200620b006", "0x212e00620b00612e00604e00204f04e00720b0060530511320096e7002", "0x12f0066e900200220b006002009002056006a4412f00620b00704f0066e8", "0x13600620b0060580061b200205800620b0061330061a600213300620b006", "0x213100213400620b00613612e00705b00213600620b00613600604b002", "0x620b00605d00601b00205d13500720b0060470066e500205b00620b006", "0x4e00600c00206100620b0060026e400205f00620b0061370066e6002137", "0x13b00620b00606100611b00206700620b00605f00609900213900620b006", "0x213400620b00613400604e00206413800720b00613b0671390096e7002", "0x690066e900200220b00600200900206a006a4506900620b0070640066e8", "0x6f00620b00613c0061b200213c00620b00606c0061a600206c00620b006", "0x66e500213f00620b00606f05b00705b00206f00620b00606f00604b002", "0x620b00614100601b00200220b00607100606100214107100720b006135", "0x13800600c00207600620b00600271600207500620b0061450066e6002145", "0x7b00620b00607600611b00214b00620b00607500609900214600620b006", "0x213f00620b00613f00604e00207907700720b00607b14b1460096e7002", "0x14a0066e900200220b00600200900207f006a4614a00620b0070790066e8", "0x15200620b0061510061b200215100620b0060c70061a60020c700620b006", "0x613200214e00620b00615213f00705b00215200620b00615200604b002", "0x620b00608300605300200220b00614f00605100208314f00720b006134", "0x605300200220b00615000605100215e15000720b00614e006132002085", "0x20b00616000671800216000620b00616108500771700216100620b00615e", "0x71a00216300620b00607700600c00215d00620b00615f00671900215f006", "0x13400605100200220b00600200900215c16300700615c00620b00615d006", "0xc00216200620b00607f00671c00200220b00613f00605100200220b006", "0x900215408700700615400620b00616200671a00208700620b006077006", "0x5100200220b00613400605100200220b00613500606100200220b006002", "0x620b00613800600c00215700620b00606a00671c00200220b00605b006", "0x200220b00600200900215b08a00700615b00620b00615700671a00208a", "0x620b00605600671c00200220b00612e00605100200220b006047006061", "0x1680070060ed00620b00616e00671a00216800620b00604e00600c00216e", "0x20b00611e00605100200220b00603700606100200220b0060020090020ed", "0x671a00216b00620b00612400600c00208e00620b00604100671c002002", "0x603500603300200220b0060020090020d016b0070060d000620b00608e", "0x600271d00216c00620b00600213100200220b00600600606100200220b", "0x16d00620b00609216c00705b00209200620b00609200604b00209200620b", "0x9400671c00209400620b00616d17100705d00217100620b006002135002", "0x17500620b00617300671a00209600620b00600200600c00217300620b006", "0x61320020d100620b00600213100200220b006002009002175096007006", "0x620b00617600605300200220b00609900605100217609900720b0060d1", "0x71900209d00620b00617a00671800217a00620b00609b00600771700209b", "0x20b00617c00671a0020cc00620b00600200600c00217c00620b00609d006", "0x200c006a4700900700720b00700600200771e0020a00cc0070060a0006", "0x620b00600700600c00201600620b00600900660400200220b006002009", "0x20b006002009002002a4800600202d00201000620b00601600660500200f", "0xc00600c00201500620b00601400660600201400620b00600202a002002", "0x1700620b00600f00636e00201000620b00601500660500200f00620b006", "0x1600620b00600200601600201b01700700601b00620b006010006726002", "0x200c00900700920b00600f01600757600200f00620b00600600612b002", "0x1000657900200220b006002009002014006a4901000620b00700c006577", "0x1b01620b00601700657b00201700620b00601500657a00201500620b006", "0xfa00200220b00601c0060fa00200220b00601900657d0020650c401c019", "0x5400620b00601b00672700200220b00606500604d00200220b0060c4006", "0x900612b00202900620b00600700601600211b00620b006054006728002", "0x200900202b02a02900900602b00620b00611b00622c00202a00620b006", "0x202d00620b00600700601600202c00620b00601400672900200220b006", "0x2f02e02d00900602f00620b00602c00622c00202e00620b00600900612b", "0x20b00600c00604b00200c00620b00600271f00200220b006007006397002", "0x620b00600f00604b00200f01600720b00600900c00600937b00200c006", "0x201500620b00601000600c00201401000720b00600f00200772000200f", "0x1b01701500900601b00620b00601400661600201700620b00601600615d", "0xf01600920b00700c00700600200c64100200c00620b006009006224002", "0x1b00720b00601000613000200220b006002009002017015014009a4a010", "0x601c00613000201c00620b0060020ef00200220b00601b00604d002019", "0x205400620b0060190061b200200220b0060c400604d0020650c400720b", "0x60650061b200200220b00611b00604d00202911b00720b006054006130", "0x200220b00602b00604d00202c02b00720b00602a00613000202a00620b", "0x602d00604b00202e00620b00602c0061b200202d00620b0060290061b2", "0x2f00620b00602f00604b00202f00620b00602e02d0071c100202d00620b", "0x2f0061c500200f00620b00600f00612b00201600620b006016006016002", "0x203300620b00600202a00200220b006002009002030006a4b00220b007", "0xa4c00600202d00203900620b00604800602c00204800620b00603300602e", "0x620b00600202a00200220b0060300060f200200220b006002009002002", "0x602f00203900620b00611e00602c00211e00620b00603500602b002035", "0x620b00601600601600212000620b00603700672100203700620b006039", "0x10d00900603c00620b00612000672200203a00620b00600f00612b00210d", "0x1400601600212400620b00601700672300200220b00600200900203c03a", "0x12a00620b00612400672200203e00620b00601500612b00207d00620b006", "0x6002009002007006a4d00600620b00700200672400212a03e07d009006", "0x3aa00200c00620b0060090063a900200900620b0060060063a800200220b", "0x20b00600213500200220b00600200900201600600601600620b00600c006", "0x201400620b0060100063ab00201000620b00600700f00705d00200f006", "0x213900200f00620b00600272500201500600601500620b0060140063aa", "0x3500201000620b00601000603900201000620b00600204800200220b006", "0x200220b00600200900201b017007a4e01501400720b007010006002009", "0x701900665b00201400620b00601400600c00201900620b006009006590", "0x620b0060c400665c00200220b006002009002065006a4f0c401c00720b", "0x202d00202900620b00605400665d00211b00620b00601c006596002054", "0x2a00665e00202a00620b00600202a00200220b006002009002002a50006", "0x2900620b00602b00665d00211b00620b00606500659600202b00620b006", "0xf00772a00201600620b0060160060fc00201600620b00611b0061d6002", "0x600200900202d006a5102c00620b00702900666000201600620b006016", "0x1400600c00202e00620b00602c00659b00200220b00600211e00200220b", "0x11e00620b00600700615d00203500620b00601500601600203900620b006", "0x3002f00c20b00603711e03503900c72c00203700620b00602e00659c002", "0x200220b00600200900210d006a5212000620b007048006151002048033", "0xc00212403c00720b00603a00c03300937b00203a00620b006120006152", "0x20b00603c00615d00204100620b00603000601600212b00620b00602f006", "0x61b00204500620b00612400604b00212d00620b0060160060fc002043006", "0x620b00712c00661c00212c12a03e07d00c20b00604512d04304112b016", "0x4d13013100920b00612e00661d00200220b006002009002047006a5312e", "0xc00204e00620b00604b00672e00204b00620b00604d13013100972d002", "0x20b00612a00615d00213200620b00603e00601600204f00620b00607d006", "0x600200900205305113204f00c00605300620b00604e00672f002051006", "0x1600205600620b00607d00600c00212f00620b00604700673100200220b", "0x20b00612f00672f00205800620b00612a00615d00213300620b00603e006", "0x20b00601600639c00200220b00600200900213605813305600c006136006", "0x2f00600c00213400620b00610d00673100200220b00600c00604d002002", "0x5d00620b00603300615d00213500620b00603000601600205b00620b006", "0x220b00600200900213705d13505b00c00613700620b00613400672f002", "0x5f00620b00600202a00200220b00602d00603300200220b00600211e002", "0xc00213800620b00606100672e00206100620b00605f00c01600972d002", "0x20b00600700615d00213900620b00601500601600206400620b006014006", "0x600200900213b06713906400c00613b00620b00613800672f002067006", "0x600f00673200200220b00600c00604d00200220b00600211e00200220b", "0x600213400206900620b00600213100200220b00600900639c00200220b", "0x6c00620b00606a06900705b00206a00620b00606a00604b00206a00620b", "0x6f00673100206f00620b00606c13c00705d00213c00620b006002135002", "0x14100620b00601b00601600207100620b00601700600c00213f00620b006", "0x14107100c00607500620b00613f00672f00214500620b00600700615d002", "0x200220b006002009002007006a5400600620b007002006733002075145", "0x600c00613300200c00620b00600900605600200900620b00600600612f", "0x200f00620b00600213500200220b00600200900201600600601600620b", "0x1400613300201400620b00601000605800201000620b00600700f00705d", "0x70060060db00200600620b00600200601b00201500600601500620b006", "0x620b0060090061a300200220b00600200900200c006a5500900700720b", "0x202d00201000620b0060160061a400200f00620b006007006099002016", "0x140061a500201400620b00600202a00200220b006002009002002a56006", "0x1000620b0060150061a400200f00620b00600c00609900201500620b006", "0x100060df00201700620b00601700600f00201700620b00600f006053002", "0x620b00601b0061a600200220b006002009002019006a5701b00620b007", "0x4d00205406500720b0060c40061300020c400620b00601c0061b200201c", "0x2900720b00611b00613000211b00620b0060020ef00200220b006065006", "0x2b00613000202b00620b0060540061b200200220b00602900604d00202a", "0x2e00620b00602a0061b200200220b00602c00604d00202d02c00720b006", "0x2d0061b200200220b00602f00604d00203002f00720b00602e006130002", "0x3300620b00603300604b00204800620b0060300061b200203300620b006", "0x61c500203900620b00603900604b00203900620b0060480330071c1002", "0x11e00620b00600202a00200220b006002009002035006a5800220b007039", "0x600202d00212000620b00603700602c00203700620b00611e00602e002", "0x20b00600202a00200220b0060350060f200200220b006002009002002a59", "0x2f00212000620b00603a00602c00203a00620b00610d00602b00210d006", "0x20b00601700600f00212400620b00603c00673400203c00620b006120006", "0x220b00600200900203e07d00700603e00620b00612400673500207d006", "0x20b00612a00673600212a00620b00600202a00200220b006019006033002", "0x700604100620b00612c00673500212b00620b00601700600f00212c006", "0x600600700620b0060060065e000200600620b00600200622900204112b", "0x33100200220b006002009002007006a5a00600620b007002006737002007", "0x20b00600c00621200200c00620b00600900633200200900620b006006006", "0x5d00200f00620b00600213500200220b006002009002016006006016006", "0x601400621200201400620b00601000633300201000620b00600700f007", "0x900700600c64100201600620b00600c00622400201500600601500620b", "0xc00200220b00600200900201b017015009a5b01401000f00920b007016", "0x60650c400773800206500620b00601400604b0020c400620b006002006", "0x1000620b00601000612b00200f00620b00600f00601600201c01900720b", "0x673900200220b00600200900211b006a5c05400620b00701c006171002", "0x620b00602a00673b00202a00620b00602900673a00202900620b006054", "0x612b00202d00620b00600f00601600202c00620b00601900600c00202b", "0x202f02e02d02c00c00602f00620b00602b00673c00202e00620b006010", "0x203000620b00600213100200220b00611b00603300200220b006002009", "0x603303000705b00203300620b00603300604b00203300620b00600273d", "0x203500620b00604803900705d00203900620b00600213500204800620b", "0x600f00601600203700620b00601900600c00211e00620b00603500673e", "0x603a00620b00611e00673c00210d00620b00601000612b00212000620b", "0x203c00620b00601b00673f00200220b00600200900203a10d12003700c", "0x600200600c00207d00620b00612400673b00212400620b00603c00673a", "0x212c00620b00601700612b00212a00620b00601500601600203e00620b", "0x620b00700200674000212b12c12a03e00c00612b00620b00607d00673c", "0x64f00200900620b00600600664e00200220b006002009002007006a5d006", "0x200900201600600601600620b00600c00665000200c00620b006009006", "0x201000620b00600700f00705d00200f00620b00600213500200220b006", "0x74100201500600601500620b00601400665000201400620b006010006651", "0x636100200700600600700620b0060060065e000200600620b006002006", "0x620b00600700636100200900620b00600600636100200700620b006002", "0x4d00201000f00720b00601600613000201600620b00600c0061bf00200c", "0x620b0060140061bf00201400620b00600900636100200220b00600f006", "0x61b200200220b00601700604d00201b01700720b006015006130002015", "0x20b00601c0190071c100201c00620b00601b0061b200201900620b006010", "0x65006a5e00220b0070c40061c50020c400620b0060c400604b0020c4006", "0x620b00605400602e00205400620b00600202a00200220b006002009002", "0x20b006002009002002a5f00600202d00202900620b00611b00602c00211b", "0x602a00602b00202a00620b00600202a00200220b0060650060f2002002", "0x602c00620b00602900636f00202900620b00602b00602c00202b00620b", "0x600900600200937b00200f01600c00900c20b00600700674200202c006", "0x20b00600c01401000937b00201400620b00601400604b00201401000720b", "0x20c400620b00601700604b00201c00620b00601500615d002017015007", "0x37b00201901b00720b0060650c401c00974300206500620b0060160063f1", "0x604b00202900620b00605400615d00211b05400720b00600f01901b009", "0x1c500200f01600720b00601600635a00202a02900700602a00620b00611b", "0x20b00601600604d00200220b006002009002010006a6000220b00700f006", "0x600900604d00200220b00600c00604d00200220b00600700604d002002", "0x600c00201500620b00601400602b00201400620b00600202a00200220b", "0x620b00601500602c00201b00620b00600600612c00201700620b006002", "0x200220b0060100060f200200220b00600200900201901b017009006019", "0x1c0650071c100206501600720b00601600635a00201c00620b006002744", "0xa6100220b0070c40061c50020c400620b0060c400604b0020c400620b006", "0x600700604d00200220b00601600604d00200220b006002009002054006", "0x600202a00200220b00600900604d00200220b00600c00604d00200220b", "0x202a00620b00600200600c00202900620b00611b00602b00211b00620b", "0x2c02b02a00900602c00620b00602900602c00202b00620b00600600612c", "0x2d00620b00600274400200220b0060540060f200200220b006002009002", "0x4b00202e00620b00602d02f0071c100202f00c00720b00600c00635a002", "0x6002009002030006a6200220b00702e0061c500202e00620b00602e006", "0xc00604d00200220b00600700604d00200220b00601600604d00200220b", "0x602b00203300620b00600202a00200220b00600900604d00200220b006", "0x620b00600600612c00203900620b00600200600c00204800620b006033", "0x220b00600200900211e03503900900611e00620b00604800602c002035", "0x10d006a6312003700720b00700900200774500200220b0060300060f2002", "0x20b00612000622800212000620b00612000674600200220b006002009002", "0x12400720b00703c03700774500203c00c00720b00600c00635a00203a006", "0x22800207d00620b00607d00674600200220b00600200900203e006a6407d", "0x12b00620b00600274800212c00620b00600274700212a00620b00607d006", "0x12400600c00212b00620b00612b00604b00212c00620b00612c00604b002", "0x20b006002009002002a6504100620b00712b12c00774900212400620b006", "0x612c00204300620b00604100622800204100620b006041006746002002", "0x620b00601600604b00204700620b00612a00674a00212e00620b006006", "0xa6600220b00704500674c00204512d00720b00613104712e00974b002131", "0x600c00604d00200220b00603a00674d00200220b006002009002130006", "0x600202a00200220b00604300674d00200220b00600700604d00200220b", "0x204e00620b00612400600c00204b00620b00604d00602b00204d00620b", "0x13204f04e00900613200620b00604b00602c00204f00620b00612d00612c", "0x605300604d00205305100720b00613000674e00200220b006002009002", "0x4b00205800620b00604300674a00213300620b00612d00612c00200220b", "0x612c00205612f00720b00613605813300974b00213600620b006007006", "0x620b00600c00604b00205d00620b00603a00674a00213500620b00612f", "0x5600720b00605600622700205b13400720b00613705d13500974b002137", "0x74a00213805b00720b00605b00622700206100620b00606100674a002061", "0x705f00674c00205f00620b00613806100774f00213800620b006138006", "0x2009002002a6800600202d00200220b006002009002064006a6700220b", "0x200220b00606700604d00206713900720b00606400674e00200220b006", "0x604b00213b00620b0060691390071c100206905100720b00605100635a", "0x20b00600200900206a006a6900220b00713b0061c500213b00620b00613b", "0x605600674d00200220b00605b00674d00200220b00605100604d002002", "0x600c00213c00620b00606c00602e00206c00620b00600202a00200220b", "0x620b00613c00602c00213f00620b00613400612c00206f00620b006124", "0x200220b00606a0060f200200220b00600200900207113f06f009006071", "0x7514500775000207500620b00605b00674a00214500620b00605600674a", "0x220b006002009002076006a6a00220b00714100674c00214100620b006", "0x200220b006002009002002a6b00600202d00200220b00605100604d002", "0x510770071c100200220b00607900604d00207907700720b00607600674e", "0xa6c00220b0071460061c500214600620b00614600604b00214600620b006", "0x607b00602e00207b00620b00600202a00200220b00600200900214b006", "0x20c700620b00613400612c00207f00620b00612400600c00214a00620b", "0xf200200220b0060020090021510c707f00900615100620b00614a00602c", "0x14e00620b00615200602b00215200620b00600202a00200220b00614b006", "0x14e00602c00208300620b00613400612c00214f00620b00612400600c002", "0x603a00674d00200220b00600200900208508314f00900608500620b006", "0x1600604d00200220b00600700604d00200220b00600c00604d00200220b", "0x602b00215000620b00600202a00200220b00612a00674d00200220b006", "0x620b00600600612c00216100620b00612400600c00215e00620b006150", "0x220b00600200900215f16016100900615f00620b00615e00602c002160", "0x20b00600c00604d00200220b00603a00674d00200220b00601600604d002", "0x615d00602b00215d00620b00600202a00200220b00600700604d002002", "0x216200620b00600600612c00215c00620b00603e00600c00216300620b", "0x4d00200220b00600200900208716215c00900608700620b00616300602c", "0x200220b00600c00604d00200220b00600700604d00200220b006016006", "0x20b00610d00600c00215700620b00615400602b00215400620b00600202a", "0x900616e00620b00615700602c00215b00620b00600600612c00208a006", "0x201700620b00600600601600201500620b00600200600c00216e15b08a", "0x1900611b00201900900720b0060090065a700201b00620b00600700612b", "0x620b00601c00661600201c00c00720b00600c00675100201900620b006", "0x1400675300201401000f01600c20b00601c01901b01701501675200201c", "0x620b0060c400675400200220b006002009002065006a6d0c400620b007", "0x75600200220b006002009002029006a6e11b00620b007054006755002054", "0x20b00602a00675700202c00c00720b00600c00675100202a00620b006002", "0x900720b0060090065a700202b00620b00602d02c00775800202d02a007", "0x2f00920b00702b02e01000f00c64100202b00620b00602b00664000202e", "0x11e00620b00600275600200220b006002009002035039048009a6f033030", "0x11e00653500203a00620b00602a00653500210d00620b00601600600c002", "0x603300604b00212003700720b00603c03a10d00975900203c00620b006", "0x203000620b00603000612b00202f00620b00602f00601600203300620b", "0x12400675b00200220b00600200900207d006a7012400620b00712000675a", "0x620b00612a00664000212a00620b00603e00c00775800203e00620b006", "0x204512d043009a7104112b12c00920b00712a00903002f00c64100212a", "0x612e00675c00212e00620b00604103311b00943f00200220b006002009", "0x213000620b00613100675e00213100620b00604700675d00204700620b", "0x612b00612b00204b00620b00612c00601600204d00620b00603700600c", "0x200900204f04e04b04d00c00604f00620b00613000675f00204e00620b", "0x676000200220b00611b00634900200220b00603300604d00200220b006", "0x620b00605100675e00205100620b00613200675d00213200620b006045", "0x612b00205600620b00604300601600212f00620b00603700600c002053", "0x205813305612f00c00605800620b00605300675f00213300620b00612d", "0x200220b00611b00634900200220b00603300604d00200220b006002009", "0x620b00607d00676200200220b00600c00676100200220b0060090060c4", "0x612b00205b00620b00602f00601600213400620b00603700600c002136", "0x205d13505b13400c00605d00620b00613600675f00213500620b006030", "0x200220b00611b00634900200220b00600c00676100200220b006002009", "0x620b00603500676000200220b0060090060c400200220b00602a006534", "0x600c00206100620b00605f00675e00205f00620b00613700675d002137", "0x620b00603900612b00206400620b00604800601600213800620b006016", "0x20b00600200900206713906413800c00606700620b00606100675f002139", "0x602900676000200220b0060090060c400200220b00600c006761002002", "0x206a00620b00606900675e00206900620b00613b00675d00213b00620b", "0x601000612b00213c00620b00600f00601600206c00620b00601600600c", "0x200900213f06f13c06c00c00613f00620b00606a00675f00206f00620b", "0x676200200220b0060090060c400200220b00600c00676100200220b006", "0x620b00600f00601600214100620b00601600600c00207100620b006065", "0x14100c00607600620b00607100675f00207500620b00601000612b002145", "0x220b006002009002007006a7200600620b007002006763002076075145", "0xc00652900200c00620b00600900621400200900620b006006006528002", "0xf00620b00600213500200220b00600200900201600600601600620b006", "0x652900201400620b00601000652a00201000620b00600700f00705d002", "0x700603300200700620b00600200652e00201500600601500620b006014", "0x2a00200220b00600900603300200900620b00600600652e00200220b006", "0x620b00601600602c00201600620b00600c00602e00200c00620b006002", "0x20b00600f00662000201401000f00920b0060160063fe00200f00600600f", "0x201700620b00601b00622400201b00c00720b00600c006751002015006", "0x1c00720b00701501701900700601662200201900900720b0060090065a7", "0x202900620b00600275600200220b00600200900211b054065009a730c4", "0x775800202c02900720b00602900675700202b00c00720b00600c006751", "0x601c00601600202d00900720b0060090065a700202a00620b00602c02b", "0x701002a02d0c401c01662200202a00620b00602a00664000201c00620b", "0x20b00600275600200220b006002009002048033030009a7402f02e00720b", "0x53500212000620b00602900653500203700620b00600200600c002039006", "0x612b00211e03500720b00610d12003700975900210d00620b006039006", "0x620b00711e00675a00202e00620b00602e00601600202f00620b00602f", "0x75800212400620b00603a00675b00200220b00600200900203c006a7503a", "0x2f02e01662200207d00620b00607d00664000207d00620b00612400c007", "0x200220b00600200900204112b12c009a7612a03e00720b00701407d009", "0x20b00612d00676400212d00620b0060430063b700204300620b00600202a", "0x1600204700620b00603500600c00212e00620b006045006765002045006", "0x20b00612e00676600213000620b00612a00612b00213100620b00603e006", "0x20b0060410063b900200220b00600200900204d13013104700c00604d006", "0xc00204f00620b00604e00676500204e00620b00604b00676400204b006", "0x20b00612b00612b00205100620b00612c00601600213200620b006035006", "0x600200900212f05305113200c00612f00620b00604f006766002053006", "0xc00676100200220b0060090060c400200220b00601400604d00200220b", "0x213300620b00603500600c00205600620b00603c00676700200220b006", "0x605600676600213600620b00602f00612b00205800620b00602e006016", "0x600c00676100200220b00600200900213413605813300c00613400620b", "0x90060c400200220b00602900653400200220b00601400604d00200220b", "0x213500620b00605b00676400205b00620b0060480063b900200220b006", "0x603000601600213700620b00600200600c00205d00620b006135006765", "0x613800620b00605d00676600206100620b00603300612b00205f00620b", "0x4d00200220b00600c00676100200220b00600200900213806105f13700c", "0x200220b0060090060c400200220b00601000604d00200220b006014006", "0x613900676500213900620b00606400676400206400620b00611b0063b9", "0x206900620b00606500601600213b00620b00600200600c00206700620b", "0x6a06913b00c00606c00620b00606700676600206a00620b00605400612b", "0x700600600700620b0060060065e000200600620b00600200676800206c", "0x200700600600700620b0060060065e000200600620b006002006769002", "0x76b00200700600600700620b0060060065e000200600620b00600200676a", "0x676c00200700600600700620b0060060065e000200600620b006002006", "0x200676d00200700600600700620b0060060065e000200600620b006002", "0x220b00600600604d00200220b006002009002009006a7700700620b007", "0x1600661300201600620b00600c00661200200c00620b006007006226002", "0x220b00600900634900200220b00600200900200f00600600f00620b006", "0x600213500201400620b00600601000705b00201000620b006002131002", "0x1b00620b00601700661400201700620b00601401500705d00201500620b", "0x200600620b00600200676e00201900600601900620b00601b006613002", "0x5e000200600620b00600200676f00200700600600700620b0060060065e0", "0x65e000200600620b00600200677000200700600600700620b006006006", "0x60065e000200600620b00600200677100200700600600700620b006006", "0x700600c64100201600620b00600c00622400200700600600700620b006", "0x200220b00600200900201b017015009a7801401000f00920b007016009", "0x650c400777200206500620b00601400604b0020c400620b00600200600c", "0x620b00601000612b00200f00620b00600f00601600201c01900720b006", "0x77400200220b00600200900211b006a7905400620b00701c006773002010", "0x20b00602a00677600202a00620b00602900677500202900620b006054006", "0x12b00202d00620b00600f00601600202c00620b00601900600c00202b006", "0x2f02e02d02c00c00602f00620b00602b00623100202e00620b006010006", "0x3000620b00600213100200220b00611b00603300200220b006002009002", "0x3303000705b00203300620b00603300604b00203300620b006002777002", "0x3500620b00604803900705d00203900620b00600213500204800620b006", "0xf00601600203700620b00601900600c00211e00620b006035006778002", "0x3a00620b00611e00623100210d00620b00601000612b00212000620b006", "0x3c00620b00601b00677900200220b00600200900203a10d12003700c006", "0x200600c00207d00620b00612400677600212400620b00603c006775002", "0x12c00620b00601700612b00212a00620b00601500601600203e00620b006", "0x20b00700200623200212b12c12a03e00c00612b00620b00607d006231002", "0x200900620b00600600653900200220b006002009002007006a7a006006", "0x900201600600601600620b00600c00621300200c00620b00600900653a", "0x1000620b00600700f00705d00200f00620b00600213500200220b006002", "0x201500600601500620b00601400621300201400620b00601000653b002", "0x620b00600600604e00200700620b00600202a00200220b006002006033", "0x620b00600200677a00200c00900700600c00620b0060070061ff002009", "0x600620b00700200677b00200700600600700620b0060060065e0002006", "0x66ca00200900620b0060060066c900200220b006002009002007006a7b", "0x600200900201600600601600620b00600c0066cb00200c00620b006009", "0x6cc00201000620b00600700f00705d00200f00620b00600213500200220b", "0x677c00201500600601500620b0060140066cb00201400620b006010006", "0x20b00600600604d00200220b006002009002009006a7c00700620b007002", "0x621300201600620b00600c00653a00200c00620b006007006539002002", "0x20b0060090060c400200220b00600200900200f00600600f00620b006016", "0x213500201400620b00600601000705b00201000620b006002131002002", "0x620b00601700653b00201700620b00601401500705d00201500620b006", "0x20b00700700600200977d00201900600601900620b00601b00621300201b", "0xf00620b00600c00677e00200220b006002009002016006a7d00c009007", "0x1000678000201400620b00600900600c00201000620b00600f00677f002", "0x620b00600213100200220b00600200900201501400700601500620b006", "0x1700705b00201b00620b00601b00604b00201b00620b00600222a002017", "0x620b00601901c00705d00201c00620b00600213500201900620b00601b", "0x678000205400620b00601600600c00206500620b0060c40067810020c4", "0x600200600c00200220b00600211e00211b05400700611b00620b006065", "0x201500620b00600900604e00201400620b00600600601600201000620b", "0xf01600c00920b00601701501401000c78200201700620b00600700604e", "0x65e900200220b006002009002019006a7e01b00620b00700f0065e8002", "0x20b00606500603300200220b00601c0060510020650c401c00920b00601b", "0x631a00211b00620b0060540c400731900205400620b00600202a002002", "0x620b00601600601600202a00620b00600c00600c00202900620b00611b", "0x220b00600200900202c02b02a00900602c00620b00602900631b00202b", "0x1600601600202e00620b00600c00600c00202d00620b00601900631c002", "0x678300203002f02e00900603000620b00602d00631b00202f00620b006", "0x601600604d00201600c00720b00600900678400200900200720b006002", "0x4f00201500620b00600600604e00201400620b00600c00604b00200220b", "0x600200678400200220b00601000603300201000f00720b006015014007", "0x20c400620b00601b00604b00200220b00601700604d00201b01700720b", "0x603300201c01900720b0060650c400704f00206500620b00600700604e", "0x211b00620b00600f00604e00205400620b00600202a00200220b00601c", "0x2a02911b00900602a00620b0060540061ff00202900620b00601900604e", "0x200220b00600211e00200220b00600213900200f00620b006002785002", "0x65f700201501400720b00601000678600201000700720b006007006787", "0x1900620b00600900604e00201b00620b00601400604b00200220b006015", "0x678600200220b00601700603300201701600720b00601901b00704f002", "0x620b00600200600c00200220b00601c00604d0020c401c00720b006007", "0x604e00202b00620b0060c400631600202a00620b006006006016002029", "0x2b02a02900c78a00201600620b00601600f00778900202c00620b00600c", "0x900202e006a7f02d00620b00711b00607100211b05406500920b00602c", "0x220b00603000603300203002f00720b00602d00614100200220b006002", "0x671200204800620b00603302f01600971100203300620b00600202a002", "0x620b00605400601600203500620b00606500600c00203900620b006048", "0x220b00600200900203711e03500900603700620b0060390066fd00211e", "0x606500600c00212000620b00602e0066f900200220b006016006051002", "0x603c00620b0061200066fd00203a00620b00605400601600210d00620b", "0x720b00600900678d00200900200720b00600200678b00203c03a10d009", "0x604e00201400620b00600c00621b00200220b00601600604d00201600c", "0x601000603300201000f00720b00601501400752c00201500620b006007", "0x4b00200220b00601700634900201b01700720b00600200678d00200220b", "0x60650c400704f00206500620b00600f00604e0020c400620b00601b006", "0x4e00205400620b00600202a00200220b00601c00603300201c01900720b", "0x20b0060540061ff00202900620b00601900604e00211b00620b006006006", "0x900678f00200900200720b00600200678e00202a02911b00900602a006", "0x1400620b00600c00621b00200220b00601600604d00201600c00720b006", "0x3300201000f00720b00601501400752c00201500620b00600700604e002", "0x20b00601700634900201b01700720b00600200678f00200220b006010006", "0x704f00206500620b00600f00604e0020c400620b00601b00604b002002", "0x620b00600202a00200220b00601c00603300201c01900720b0060650c4", "0x61ff00202900620b00601900604e00211b00620b00600600604e002054", "0x4b00200900620b00600200679000202a02911b00900602a00620b006054", "0x601000f00704f00201000620b00600700604e00200f00620b006009006", "0x4e00201400620b00600202a00200220b00601600603300201600c00720b", "0x20b0060140061ff00201700620b00600c00604e00201500620b006006006", "0x600900604b00200900620b00600200679100201b01701500900601b006", "0xc00720b00601000f00704f00201000620b00600700604e00200f00620b", "0x600600604e00201400620b00600202a00200220b006016006033002016", "0x601b00620b0060140061ff00201700620b00600c00604e00201500620b", "0x4e00200900620b00600202a00200220b00600200679300201b017015009", "0x20b0060090061ff00201600620b00600700604e00200c00620b006006006", "0x600900604b00200900620b00600200679400200f01600c00900600f006", "0xc00720b00601000f00704f00201000620b00600700604e00200f00620b", "0x600600604e00201400620b00600202a00200220b006016006033002016", "0x601b00620b0060140061ff00201700620b00600c00604e00201500620b", "0xf00620b00600900604b00200900620b00600200679500201b017015009", "0x3300201600c00720b00601000f00704f00201000620b00600700604e002", "0x1500620b00600600604e00201400620b00600202a00200220b006016006", "0x1701500900601b00620b0060140061ff00201700620b00600c00604e002", "0x604e00200f00620b00600900604b00200900620b00600200679600201b", "0x601600603300201600c00720b00601000f00704f00201000620b006007", "0x604e00201500620b00600600604e00201400620b00600202a00200220b", "0x79700201b01701500900601b00620b0060140061ff00201700620b00600c", "0x20b00600700604e00200f00620b00600900617300200900620b006002006", "0x200220b00601600603300201600c00720b00601000f007798002010006", "0x20b00600c00604e00201500620b00600600604e00201400620b00600202a", "0x600200679900201b01701500900601b00620b0060140061ff002017006", "0x201000620b00600600604e00200f00620b00600900604b00200900620b", "0x600202a00200220b00601600603300201600c00720b00601000f00704f", "0x201700620b00600700604e00201500620b00600c00604e00201400620b", "0x900620b00600200679a00201b01701500900601b00620b0060140061ff", "0xf00704f00201000620b00600600604e00200f00620b00600900604b002", "0x1400620b00600202a00200220b00601600603300201600c00720b006010", "0x140061ff00201700620b00600700604e00201500620b00600c00604e002", "0x600900659d00200220b00600211e00201b01701500900601b00620b006", "0x20b0060160060fa00201000f01600920b00600c00659e00200c00900720b", "0x60020ef00201400620b00601000605300200220b00600f00604d002002", "0x206500620b0060060060160020c400620b00600200600c00201500620b", "0x601500604b00211b00620b00601400600f00205400620b00600700615d", "0x79c00201c01901b01700c20b00602911b0540650c401679b00202900620b", "0x602a0067a100200220b00600200900202b006a8002a00620b00701c006", "0x200220b00602e00603300200220b00602c00606100202e02d02c00920b", "0xfa00204803303000920b00602f00659e00202f00900720b00600900659d", "0x3900620b00604800601900200220b00603300604d00200220b006030006", "0x1900937b00203500620b00603500604b00203500620b00603900653c002", "0x620b0060027a200212000620b0060020ef00203711e00720b00603502d", "0x937b00210d00620b00610d00604b00212000620b00612000604b00210d", "0x659e00212400900720b00600900659d00203c03a00720b00610d12011e", "0x20b00612a00659f00200220b00603e00604d00212a03e07d00920b006124", "0x604b00212b00620b00612c0061bf00212c00620b00607d006361002002", "0x900659d00204304100720b00612b03c03a00937b00203c00620b00603c", "0x60450060fa00204712e04500920b00612d00659e00212d00900720b006", "0x604b00213100620b00612e0061b200200220b00604700659f00200220b", "0x900659e00204d13000720b00613104304100937b00204300620b006043", "0x220b00604e00604d00200220b00604b0060fa00204f04e04b00920b006", "0x4d00604b00205100620b00613200653c00213200620b00604f006019002", "0x20b00605104d13000937b00205100620b00605100604b00204d00620b006", "0x203700620b00603700604b00212f00620b00612f00604b00212f053007", "0x604b00205800620b0060027a300213305600720b00603712f05300937b", "0x605813305600937b00205800620b00605800604b00213300620b006133", "0x13500620b00605b00633200205b00620b00613400633100213413600720b", "0x13600615d00213700620b00601b00601600205d00620b00601700600c002", "0x900206105f13705d00c00606100620b00613500621200205f00620b006", "0x213800620b00602b00633300200220b0060090065bd00200220b006002", "0x601900615d00213900620b00601b00601600206400620b00601700600c", "0x73ac00213b06713906400c00613b00620b00613800621200206700620b", "0x90063ad00200220b00600200900200c006a8100900700720b007006002", "0x1000620b0060160063ae00200f00620b00600700600c00201600620b006", "0x201400620b00600202a00200220b006002009002002a8200600202d002", "0x60150063ae00200f00620b00600c00600c00201500620b0060140063af", "0x601b00620b0060100067a400201700620b00600f00636e00201000620b", "0x720b00600900600200937b00200900620b0060070061bf00201b017007", "0x700601000620b00601600604b00200f00620b00600c00615d00201600c", "0x6a8300220b00700900674c00200900600720b00600600622700201000f", "0x20b00600200612c00200220b00600700604d00200220b00600200900200c", "0x6002009002002a8400600202d00200f00620b00600600674a002016006", "0x200c79e00201000620b00600279d00200220b00600600674d00200220b", "0x1400612c00201500620b00601500679f00201501400720b00600c007010", "0x220b006002009002002a8501700620b0070150067a000201400620b006", "0x600202d00201900620b00601b00674a00201b00620b006017006228002", "0x601c00674a00201c00620b0060027a500200220b006002009002002a86", "0x200f00620b00601900674a00201600620b00601400612c00201900620b", "0x20650c400700606500620b00600f0067a70020c400620b006016006667", "0x9002009006a8700220b00700700674c00200700200720b006002006227", "0x600c00620b00600600674a00200220b00600200674d00200220b006002", "0x9002016006a8800220b00700600674c00200220b00600200900200c006", "0x600f00620b00600200674a00200220b0060090067a800200220b006002", "0x20b00600279d00200220b00600200674d00200220b00600200900200f006", "0x201400620b00601400679f00201400620b0060090100077ac002010006", "0x150067a000201500620b00601500679f00201500620b0060160140077ac", "0x1b00620b00601700622800200220b006002009002002a8901700620b007", "0x220b006002009002002a8a00600202d00201900620b00601b00674a002", "0x60190067a700201900620b00601c00674a00201c00620b0060027a5002", "0x700700674c00200700600720b0060060062270020c40060060c400620b", "0x74a00200220b00600600674d00200220b006002009002009006a8b00220b", "0x60090067a800200220b00600200900200c00600600c00620b006002006", "0x74a00201000620b00600200674a00201600620b0060060067ad00200220b", "0x600f0067a700200f00620b00601401000774f00201400620b006016006", "0x900700600c64100201600620b00600c00622400201500600601500620b", "0xc00200220b00600200900201b017015009a8c01401000f00920b007016", "0x60650c400760300206500620b00601400604b0020c400620b006002006", "0x1000620b00601000612b00200f00620b00600f00601600201c01900720b", "0x67ae00200220b00600200900211b006a8d05400620b00701c00633b002", "0x620b00602a0067a900202a00620b0060290067af00202900620b006054", "0x612b00202d00620b00600f00601600202c00620b00601900600c00202b", "0x202f02e02d02c00c00602f00620b00602b00623500202e00620b006010", "0x203000620b00600213100200220b00611b00603300200220b006002009", "0x603303000705b00203300620b00603300604b00203300620b0060027aa", "0x203500620b00604803900705d00203900620b00600213500204800620b", "0x600f00601600203700620b00601900600c00211e00620b0060350067ab", "0x603a00620b00611e00623500210d00620b00601000612b00212000620b", "0x203c00620b00601b0067b000200220b00600200900203a10d12003700c", "0x600200600c00207d00620b0061240067a900212400620b00603c0067af", "0x212c00620b00601700612b00212a00620b00601500601600203e00620b", "0x70070060020097b200212b12c12a03e00c00612b00620b00607d006235", "0x20b00600c0067b300200220b00600200900200f016007a8e00c00900720b", "0x2d00201500620b0060100067b600201400620b00600900600c002010006", "0xc00201700620b00600f0067b700200220b006002009002002a8f006002", "0x620b00600223400201500620b0060170067b600201400620b006016006", "0x77b50020c400620b00601b00604b00201c00620b0060150067b400201b", "0x2009002054006a9006500620b00701900675a00201900620b0060c401c", "0x202900620b00611b0067b800211b00620b00606500675b00200220b006", "0x602a0067bb00202b00620b00601400600c00202a00620b0060290067ba", "0x620b0060540067c000200220b00600200900202c02b00700602c00620b", "0x2e00700602f00620b00602d0067bb00202e00620b00601400600c00202d", "0x220b00600200900200c006a9100900700720b0070060020077c100202f", "0x160067bc00200f00620b00600700600c00201600620b0060090067c2002", "0x600202a00200220b006002009002002a9200600202d00201000620b006", "0x200f00620b00600c00600c00201500620b0060140067bd00201400620b", "0x60100067be00201700620b00600f00636e00201000620b0060150067bc", "0x20b00600c00603900200c00620b00600204800201b01700700601b00620b", "0x2009002014010007a9300f01600720b00700c00600200903500200c006", "0x1701500720b0070070067bf00201600620b00601600600c00200220b006", "0x632000201900620b0060170061a600200220b00600200900201b006a94", "0x620b00601c0063210020c400620b00601500604e00201c00620b006019", "0x5400620b00600202a00200220b006002009002002a9500600202d002065", "0x11b0063210020c400620b00601b00604e00211b00620b006054006322002", "0x20b00600200900202a006a9602900620b00706500607700206500620b006", "0x1600600c00202b00620b00602900900705b00200220b00600211e002002", "0x3300620b0060c400604e00203000620b00600f00601600202f00620b006", "0x2d02c00920b00604803303002f00c78200204800620b00602b00604e002", "0x5e900200220b006002009002035006a9703900620b00702e0065e800202e", "0x71200210d00620b00612003711e00971100212003711e00920b006039006", "0x20b00602d00601600203c00620b00602c00600c00203a00620b00610d006", "0x20b00600200900207d12403c00900607d00620b00603a0066fd002124006", "0x601600212a00620b00602c00600c00203e00620b0060350066f9002002", "0x900212b12c12a00900612b00620b00603e0066fd00212c00620b00602d", "0x202a00200220b00602a00603300200220b00600211e00200220b006002", "0x20b00604300671200204300620b0060410090c400971100204100620b006", "0x6fd00212e00620b00600f00601600204500620b00601600600c00212d006", "0x211e00200220b00600200900204712e04500900604700620b00612d006", "0x213100200220b00600900605100200220b00600700605100200220b006", "0x213000620b00613000604b00213000620b00600213400213100620b006", "0x4d04b00705d00204b00620b00600213500204d00620b00613013100705b", "0x13200620b00601000600c00204f00620b00604e0066f900204e00620b006", "0x5113200900605300620b00604f0066fd00205100620b006014006016002", "0xc0067c500200c00700720b0060070067c300200220b00600211e002053", "0x1000620b00600f00631500200f00620b0060160065ee00201600620b006", "0x1500611b00200220b0060140060c400201501400720b00601000601c002", "0x720b00601c0190070bf00201c00620b00600900604e00201900620b006", "0x600c0020c400620b0060070067c500200220b00601b00603300201b017", "0x620b0060c400631600202a00620b00600600601600202900620b006002", "0x6500920b00602c02b02a02900c31700202c00620b00601700604e00202b", "0x200220b00600200900202e006a9802d00620b00711b00607100211b054", "0x631a00203300620b00603002f00731900203002f00720b00602d006141", "0x620b00605400601600203900620b00606500600c00204800620b006033", "0x220b00600200900211e03503900900611e00620b00604800631b002035", "0x5400601600212000620b00606500600c00203700620b00602e00631c002", "0x665200203a10d12000900603a00620b00603700631b00210d00620b006", "0x720b00600900613000200900620b00600700665400200700620b006002", "0x604e00201400620b00601600604b00200220b00600c00604d00201600c", "0x601000603300201000f00720b00601501400704f00201500620b006006", "0x61ff00201b00620b00600f00604e00201700620b00600202a00200220b", "0x1600603900201600620b00600204800201901b00700601900620b006017", "0x2015014007a9901000f00720b00701600600200903500201600620b006", "0x620b00600f00600c00201700620b00600900601b00200220b006002009", "0x200220b00600200900201c006a9a01901b00720b0070170060db00200f", "0x60c40061a400206500620b00601b0060990020c400620b0060190061a3", "0x20b00600202a00200220b006002009002002a9b00600202d00205400620b", "0x1a400206500620b00601c00609900202900620b00611b0061a500211b006", "0x20b00602a00600f00202a00620b00606500605300205400620b006029006", "0x200220b00600200900202c006a9c02b00620b0070540060df00202a006", "0x620b00602d0061b200202d00620b00602b0061a600200220b00600211e", "0x3002f00720b00602e00c00700937b00202e00620b00602e00604b00202e", "0x2f00615d00203700620b00601000601600211e00620b00600f00600c002", "0x3a00620b00603000604b00210d00620b00602a00600f00212000620b006", "0x703500679c00203503904803300c20b00603a10d12003711e01679b002", "0x7d00920b00603c0067a100200220b006002009002124006a9d03c00620b", "0x12b00620b00612c00623300212c00620b00612a03e07d0097c600212a03e", "0x3900615d00204300620b00604800601600204100620b00603300600c002", "0x900204512d04304100c00604500620b00612b0067c700212d00620b006", "0x4700620b00603300600c00212e00620b0061240067c800200220b006002", "0x12e0067c700213000620b00603900615d00213100620b006048006016002", "0x600211e00200220b00600200900204d13013104700c00604d00620b006", "0x2a0097c600204b00620b00600202a00200220b00602c00603300200220b", "0x20b00600f00600c00204f00620b00604e00623300204e00620b00604b00c", "0x7c700205300620b00600700615d00205100620b006010006016002132006", "0x11e00200220b00600200900212f05305113200c00612f00620b00604f006", "0x13100200220b00600900606100200220b00600c00604d00200220b006002", "0x13300620b00613300604b00213300620b00600213400205600620b006002", "0x13600705d00213600620b00600213500205800620b00613305600705b002", "0x620b00601400600c00205b00620b0061340067c800213400620b006058", "0x67c700213700620b00600700615d00205d00620b006015006016002135", "0xa9e00700620b0070020067c900205f13705d13500c00605f00620b00605b", "0x60070067b800200220b00600600604d00200220b006002009002009006", "0x600f00620b0060160067bb00201600620b00600c0067ba00200c00620b", "0x20b00600213100200220b00600900653400200220b00600200900200f006", "0x5d00201500620b00600213500201400620b00600601000705b002010006", "0x601b0067bb00201b00620b0060170067c000201700620b006014015007", "0x212003900604800201601603900604800201610001900600601900620b", "0x19b00900700600212003900600200c01603900600200c00200c009007006", "0x4700f3a500c009007006002120039006048002016016039006048002016", "0x1656601600c00900700600212003900604800204700f016039006048002", "0x20470166b100c009007006002120039006002047016016039006002047", "0x1603900600200c75e00c009007006002120039006002047016016039006", "0x12003900600200c01603900600200c7fc00900700600212003900600200c", "0x70060021200390060480020160160390060480020168d4009007006002", "0xc009007006002120039006048002016016039006048002016a9f00c009", "0xc00900700600212003900604800204700f01603900604800204700faa0", "0x600200caa200900700600212003900600200c01603900600200caa1016", "0x600200c01603900600200caa300900700600212003900600200c016039", "0x700600212003900600200c01603900600200caa4009007006002120039", "0x600200caa600900700600212003900600200c01603900600200caa5009", "0x600200c01603900600200caa700900700600212003900600200c016039", "0x700600212003900600200c01603900600200caa8009007006002120039", "0x600200caaa00900700600212003900600200c01603900600200caa9009", "0x600200c01603900600200caab00900700600212003900600200c016039", "0x700600212003900600200c01603900600200caac009007006002120039", "0x600200caae00900700600212003900600200c01603900600200caad009", "0x600200c01603900600200caaf00900700600212003900600200c016039", "0x700600212003900600200c01603900600200cab0009007006002120039", "0x600200cab200900700600212003900600200c01603900600200cab1009", "0x600200c01603900600200cab300900700600212003900600200c016039", "0x700600212003900600200c01603900600200cab4009007006002120039", "0xab600c009007006002120039006048002016016039006048002016ab5009", "0x9016006002009ab700900700600212003900600200c01603900600200c", "0x11e03900604800201601403303900604800200fab80070060020c4006002", "0x39007039006aba006002015009007009007007ab901600c009007006002", "0xabc00c00900700600212403900600200c014033039006002016abb002015", "0x212b016007016006abd00900700600212a00600200900907d00600200c", "0x7033039006048002010abf00700600212d006002009016006002009abe", "0x9016006002009ac000f01600c00900700600212e039006048002016009", "0x604800200f00904f033039047006048002014ac100700600212f006002", "0x1604f03303904700600200fac201000f01600c009007006002124039047", "0x1600703303904700600200fac301600c00900700600212e039047006002", "0x6002015009007009054007ac401600c009007006002133039047006002", "0x200c00905803303900600200fac6006002134016002009016002007ac5", "0x212a00600200900900c00600200cac701600c009007006002135039006", "0xc00900700600213503900600200c009033039006002016ac8009007006", "0x1600c00900700600212e03900604800201600703303900604800200fac9", "0x700600212e039006048002016007007007007033039006048002015aca", "0x4800200f007007007033039047006048002015acb01401000f01600c009", "0x7033039006002016acc01401000f01600c009007006002137039047006", "0x600200c007033039006002016acd00c00900700600213703900600200c", "0x213703900600200c007033039006002016ace00c009007006002137039", "0x900700600213703900600200c007033039006002016acf00c009007006", "0x600200cad100900700600213703900600200c03303900600200cad000c", "0x600200c03303900600200cad200900700600213703900600200c033039", "0x9ad400700600212e039006009033039006009ad3009007006002137039", "0x212e039006009033039006009ad500700600212e039006009033039006", "0x5f007ad700900700600213803900600200c03303900600200cad6007006", "0x2015009007009139007ad9002139006033006ad8006002015009007009", "0x9065007adb00900700600213b03900600200c03303900600200cada006", "0x900700600213b03900600200c03303900600200cadc006002015009007", "0x700906a007ade00900700600213c03900600200c03303900600200cadd", "0x6002007006007033007ae0006002054006007033007adf006002015009", "0xc00900700600212e039006048002016009007033039006048002010ae1", "0xc00900700600213703900600200c00700703303900600200fae200f016", "0x6007ae400c0090070060020c4006002009007014016006002016ae3016", "0x2015ae6006002146039006009039006007ae5006002141039006009039", "0x1600c00900700600213703900604800201605401600704e033039006048", "0x16ae800900700600214a03900600200c04e03900600200cae701401000f", "0x7f00600200cae900c00900700600213703900600200c0c7033039006002", "0x12d006002009007009016006002016aea00900700600212a006002009009", "0x133039006048002016016007033039006048002010aeb00c009007006002", "0x2007aed00600214e016002009016002007aec00f01600c009007006002", "0xaef007006002150006002009016006002009aee00600214f016002009016", "0x600201600702e03904700600200faf0006002154039006009039006007", "0xaf2006002141039006009039006007af101600c009007006002133039047", "0x39047006002010af300900700600212e04700600200c04f04700600200c", "0x3900600caf400f01600c00900700600215b03904700600201605400702e", "0x6002016af600216b0060ed006af5009007006002133039006009007168", "0x916c039006002016af700c00900700600213703900600200c0d0033039", "0x12a00600200900901600600200caf800c00900700600216d03900600200c", "0x39006009afa00700600212e03900600902a039006009af9009007006002", "0x700600212e03900600902c039006009afb00700600212e03900600902b", "0x6058058007afd00900700600217303900600200c02903900600200cafc", "0x2016aff00900700600217503900600905802903900600cafe006002054", "0xf04e00600200cb0000c00900700600213703900600200c0d1033039006", "0x48002016016007033039006048002010b01009007006002176006002009", "0x7007033039047006048002015b0200f01600c00900700600216b039006", "0x200cb0301401000f01600c00900700600216b03904700604800200f007", "0x200c04d03900600200cb0400900700600213803900600200c02d039006", "0x39006002016b06006002054006069069007b0500900700600217a039006", "0x6002054006069069007b0700c00900700600217c03900600200c05f02d", "0x600cb0900c00900700600213703900600200c0cc033039006002016b08", "0x3900600906502f03900600cb0a00900700600217d039006009065030039", "0xb0c00900700600217f03900600900702a03900600cb0b00900700600217e", "0x6002016b0d00c00900700600213703900600200c0cd033039006002016", "0x900702b03900600cb0e00c00900700600213703900600200c0d2033039", "0x213703900600200c0ce033039006002016b0f009007006002180039006", "0x16b1100900700600218103900600900702c03900600cb1000c009007006", "0x4d04d002009b1200c00900700600213703900600200c0cf033039006002", "0x600213703900600200c0c8033039006002016b13007006002154002007", "0xc00900700600213703900600200c0c9033039006002016b1400c009007", "0x2016b1600c00900700600213703900600200c0ca033039006002016b15", "0x900700904d007b1700c00900700600213703900600200c0cb033039006", "0x200c02f03900600200cb19006002015009007009064007b18006002015", "0x600213b03900600200c03003900600200cb1a00900700600213b039006", "0x200c0c6033039006002016b1c006002015009007009069007b1b009007", "0x700600218e006002009016006002009b1d00c009007006002137039006", "0x600219000200706504b002009b1f00600218f039006009039006007b1e", "0x65002009b2100900700600216b03900600200c06503900600200cb20007", "0x6048002016016007033039006048002010b2200700600213b002007065", "0x2016016007033039006048002010b2300f01600c009007006002133039", "0xc03a00704e03900600200fb2400f01600c009007006002133039006048", "0x6002016b2600219c0060c7006b2501600c00900700600219b039006002", "0x200900901600600200cb2700c00900700600219d00600200900900919c", "0x7007002007b290060021a1002007016002007b2800900700600212a006", "0x702e04700200cb2b0060021a3039006009039006007b2a00600214f002", "0x60021a50390060091a406503900600cb2c0090070060021a4047002009", "0x1a604700600200c00704e047006002016b2e0021330061a5006b2d009007", "0x6b310021ae016007016006b300021200061ad006b2f00c009007006002", "0x600200c1a4065039006002016b3300212e0061b4006b3200219c0060d0", "0xb3600219c0060d1006b350021730060e5006b3400c0090070060021b8039", "0xfb380070060020070470071bd007047009b3700600205400600f00f007", "0x6002016b3901600c009007006002054048002009007007007007048002", "0xb3b0021380060ea006b3a00c0090070060021bf03900600200c1a4065039", "0x1c103900600200c05f1a406503900600200fb3c006002054006015015007", "0x6b3f00219c0060cd006b3e00219c0060cc006b3d01600c009007006002", "0x71c5007b4200219c0060cf006b4100219c0060ce006b4000219c0060d2", "0x60ca006b4500219c0060c9006b4400219c0060c8006b43006002154006", "0x1c803900600200c1a4065039006002016b4700219c0060cb006b4600219c", "0x6002015009007009015007b4900213b0060f2006b4800c009007006002", "0x600213b0060071d4007b4c00218f0061ca006b4b00219c0060c6006b4a", "0x600200900900900600200cb4e0070060021d600200706500c002009b4d", "0x2016b500070060020150090090090090090c6009b4f00900700600212a", "0x90090090090c8009b5100c00900700600219d0060020090090090c7006", "0xca009b530070060020150090090090090090c9009b52007006002015009", "0x60020150090090090090090cb009b54007006002015009009009009009", "0x90090090090cd009b560070060020150090090090090090cc009b55007", "0xcf009b580070060020150090090090090090ce009b57007006002015009", "0x60020150090090090090090d0009b59007006002015009009009009009", "0x90090090090d2009b5b0070060020150090090090090090d1009b5a007", "0x900700600212e04700600200c0be04700600200cb5c007006002015009", "0x700600200704700700f007047009b5e006002134002007007002007b5d", "0xb610060020fa0060fa0fa007b600070060020fa0480070070fa048009b5f", "0x21f603900600200c1a4065039006002016b620060020fa0060fa0fa007", "0x7007002007b640070060021f8002007064064002009b6300c009007006", "0xcb6600900700600219d00600200900900900600200cb650060021f9002", "0x2015009007009058007b6700900700600212a00600200900907f006002", "0x7b6900c0090070060021fb04700600200c007016047006002016b68006", "0xb6a0060021f8006007206"], "entry_points_by_type": {"EXTERNAL": [{"selector": "0x233f7eb4ceacfd7c3e238afaf740a3ffcb352f9844a11df665e97c3b0370b6", "function_idx": 4}, {"selector": "0x29ce6d1019e7bef00e94df2973d8d36e9e9b6c5f8783275441c9e466cb8b43", "function_idx": 14}, {"selector": "0x7ec457cd7ed1630225a8328f826a29a327b19486f6b2882b4176545ebdbe3d", "function_idx": 3}, {"selector": "0x9278fa5f64a571de10741418f1c4c0c4322aef645dd9d94a429c1f3e99a8a5", "function_idx": 29}, {"selector": "0x960e70c0b7135476e33b1ba6a72e9b10cb5e261ebaa730d1ed01a0f21c22d3", "function_idx": 12}, {"selector": "0xf2f7c15cbe06c8d94597cd91fd7f3369eae842359235712def5584f8d270cd", "function_idx": 6}, {"selector": "0xfe80f537b66d12a00b6d3c072b44afbb716e78dde5c3f0ef116ee93d3e3283", "function_idx": 27}, {"selector": "0x139562604eb722f14da2b8c1f8f681c99d31226bf9d57f148ec8b4d611f92f8", "function_idx": 24}, {"selector": "0x15d40a3d6ca2ac30f4031e42be28da9b056fef9bb7357ac5e85627ee876e5ad", "function_idx": 1}, {"selector": "0x162da33a4585851fe8d3af3c2a9c60b557814e221e0d4f30ff0b2189d9c7775", "function_idx": 0}, {"selector": "0x1746f7542cac71b5c88f0b2301e87cd9b0896dab1c83b8b515762697e521040", "function_idx": 10}, {"selector": "0x178e27745484c91a084e6a72059b13e3dbebef761175a63f4330bec3ad4aaa0", "function_idx": 21}, {"selector": "0x1a1e41f464a235695e5050a846a26ca22ecc27acac54be5f6666848031efb8f", "function_idx": 7}, {"selector": "0x1e6d35df2b9d989fb4b6bbcebda1314e4254cbe5e589dd94ff4f29ea935e91c", "function_idx": 5}, {"selector": "0x213dfe25e2ca309c4d615a09cfc95fdb2fc7dc73fbcad12c450fe93b1f2ff9e", "function_idx": 31}, {"selector": "0x22e07fe65aff1304b57cc48ee7c75a04ce2583b5ef2e7866eb8acbe09be43e2", "function_idx": 25}, {"selector": "0x231c71f842bf17eb7be2cd595e2ad846543dbbbe46c1381a6477a1022625d60", "function_idx": 17}, {"selector": "0x24fd89f2d8a7798e705aa5361f39154ca43e03721c05188285138f16018955d", "function_idx": 19}, {"selector": "0x26e71b81ea2af0a2b5c6bfceb639b4fc6faae9d8de072a61fc913d3301ff56b", "function_idx": 13}, {"selector": "0x28420862938116cb3bbdbedee07451ccc54d4e9412dbef71142ad1980a30941", "function_idx": 2}, {"selector": "0x289da278a8dc833409cabfdad1581e8e7d40e42dcaed693fa4008dcdb4963b3", "function_idx": 8}, {"selector": "0x29e211664c0b63c79638fbea474206ca74016b3e9a3dc4f9ac300ffd8bdf2cd", "function_idx": 30}, {"selector": "0x2a4bb4205277617b698a9a2950b938d0a236dd4619f82f05bec02bdbd245fab", "function_idx": 22}, {"selector": "0x2aa20ff86b29546fd697eb81064769cf566031d56b10b8bba2c70125bd8403a", "function_idx": 28}, {"selector": "0x2ad0f031c5480fdb7c7a0a026c56d2281dcc7359b88bd9053a8cf10048d44c4", "function_idx": 20}, {"selector": "0x309e00d93c6f8c0c2fcc1c8a01976f72e03b95841c3e3a1f7614048d5a77ead", "function_idx": 11}, {"selector": "0x31341177714d81ad9ccd0c903211bc056a60e8af988d0fd918cc43874549653", "function_idx": 23}, {"selector": "0x36fcbf06cd96843058359e1a75928beacfac10727dab22a3972f0af8aa92895", "function_idx": 9}, {"selector": "0x395b662db8770f18d407bbbfeebf45fffec4a7fa4f6c7cee13d084055a9387d", "function_idx": 15}, {"selector": "0x3ad2979f59dc1535593f6af33e41945239f4811966bcd49314582a892ebcee8", "function_idx": 16}, {"selector": "0x3ce4edd1dfe90e117a8b46482ea1d41700d9d00c1dccbce6a8e2f812c1882e4", "function_idx": 26}, {"selector": "0x3ee0bfaf5b124501fef19bbd1312e71f6966d186c42eeb91d1bff729b91d1d4", "function_idx": 18}], "L1_HANDLER": [], "CONSTRUCTOR": [{"selector": "0x28ffe4ff0f226a9107253e17a904099aa4f63a02a5621de0576e5aa71bc5194", "function_idx": 32}]}, "abi": "[{\"type\": \"struct\", \"name\": \"core::starknet::account::Call\", \"members\": [{\"name\": \"to\", \"type\": \"core::starknet::contract_address::ContractAddress\"}, {\"name\": \"selector\", \"type\": \"core::felt252\"}, {\"name\": \"calldata\", \"type\": \"core::array::Array::<core::felt252>\"}]}, {\"type\": \"function\", \"name\": \"__validate__\", \"inputs\": [{\"name\": \"calls\", \"type\": \"core::array::Array::<core::starknet::account::Call>\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"external\"}, {\"type\": \"struct\", \"name\": \"core::array::Span::<core::felt252>\", \"members\": [{\"name\": \"snapshot\", \"type\": \"@core::array::Array::<core::felt252>\"}]}, {\"type\": \"function\", \"name\": \"__execute__\", \"inputs\": [{\"name\": \"calls\", \"type\": \"core::array::Array::<core::starknet::account::Call>\"}], \"outputs\": [{\"type\": \"core::array::Array::<core::array::Span::<core::felt252>>\"}], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"is_valid_signature\", \"inputs\": [{\"name\": \"hash\", \"type\": \"core::felt252\"}, {\"name\": \"signature\", \"type\": \"core::array::Array::<core::felt252>\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"impl\", \"name\": \"ExecuteFromOutsideImpl\", \"interface_name\": \"lib::outside_execution::IOutsideExecution\"}, {\"type\": \"struct\", \"name\": \"lib::outside_execution::OutsideExecution\", \"members\": [{\"name\": \"caller\", \"type\": \"core::starknet::contract_address::ContractAddress\"}, {\"name\": \"nonce\", \"type\": \"core::felt252\"}, {\"name\": \"execute_after\", \"type\": \"core::integer::u64\"}, {\"name\": \"execute_before\", \"type\": \"core::integer::u64\"}, {\"name\": \"calls\", \"type\": \"core::array::Span::<core::starknet::account::Call>\"}]}, {\"type\": \"enum\", \"name\": \"core::bool\", \"variants\": [{\"name\": \"False\", \"type\": \"()\"}, {\"name\": \"True\", \"type\": \"()\"}]}, {\"type\": \"interface\", \"name\": \"lib::outside_execution::IOutsideExecution\", \"items\": [{\"type\": \"function\", \"name\": \"execute_from_outside\", \"inputs\": [{\"name\": \"outside_execution\", \"type\": \"lib::outside_execution::OutsideExecution\"}, {\"name\": \"signature\", \"type\": \"core::array::Array::<core::felt252>\"}], \"outputs\": [{\"type\": \"core::array::Array::<core::array::Span::<core::felt252>>\"}], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"is_valid_outside_execution_nonce\", \"inputs\": [{\"name\": \"nonce\", \"type\": \"core::felt252\"}], \"outputs\": [{\"type\": \"core::bool\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_outside_execution_message_hash\", \"inputs\": [{\"name\": \"outside_execution\", \"type\": \"lib::outside_execution::OutsideExecution\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}]}, {\"type\": \"impl\", \"name\": \"UpgradeableImpl\", \"interface_name\": \"lib::upgrade::IUpgradeable\"}, {\"type\": \"interface\", \"name\": \"lib::upgrade::IUpgradeable\", \"items\": [{\"type\": \"function\", \"name\": \"upgrade\", \"inputs\": [{\"name\": \"new_implementation\", \"type\": \"core::starknet::class_hash::ClassHash\"}, {\"name\": \"calldata\", \"type\": \"core::array::Array::<core::felt252>\"}], \"outputs\": [{\"type\": \"core::array::Array::<core::felt252>\"}], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"execute_after_upgrade\", \"inputs\": [{\"name\": \"data\", \"type\": \"core::array::Array::<core::felt252>\"}], \"outputs\": [{\"type\": \"core::array::Array::<core::felt252>\"}], \"state_mutability\": \"external\"}]}, {\"type\": \"impl\", \"name\": \"ArgentAccountImpl\", \"interface_name\": \"account::interface::IArgentAccount\"}, {\"type\": \"struct\", \"name\": \"account::escape::Escape\", \"members\": [{\"name\": \"ready_at\", \"type\": \"core::integer::u64\"}, {\"name\": \"escape_type\", \"type\": \"core::felt252\"}, {\"name\": \"new_signer\", \"type\": \"core::felt252\"}]}, {\"type\": \"struct\", \"name\": \"lib::version::Version\", \"members\": [{\"name\": \"major\", \"type\": \"core::integer::u8\"}, {\"name\": \"minor\", \"type\": \"core::integer::u8\"}, {\"name\": \"patch\", \"type\": \"core::integer::u8\"}]}, {\"type\": \"enum\", \"name\": \"account::escape::EscapeStatus\", \"variants\": [{\"name\": \"None\", \"type\": \"()\"}, {\"name\": \"NotReady\", \"type\": \"()\"}, {\"name\": \"Ready\", \"type\": \"()\"}, {\"name\": \"Expired\", \"type\": \"()\"}]}, {\"type\": \"interface\", \"name\": \"account::interface::IArgentAccount\", \"items\": [{\"type\": \"function\", \"name\": \"__validate_declare__\", \"inputs\": [{\"name\": \"class_hash\", \"type\": \"core::felt252\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"__validate_deploy__\", \"inputs\": [{\"name\": \"class_hash\", \"type\": \"core::felt252\"}, {\"name\": \"contract_address_salt\", \"type\": \"core::felt252\"}, {\"name\": \"owner\", \"type\": \"core::felt252\"}, {\"name\": \"guardian\", \"type\": \"core::felt252\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"change_owner\", \"inputs\": [{\"name\": \"new_owner\", \"type\": \"core::felt252\"}, {\"name\": \"signature_r\", \"type\": \"core::felt252\"}, {\"name\": \"signature_s\", \"type\": \"core::felt252\"}], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"change_guardian\", \"inputs\": [{\"name\": \"new_guardian\", \"type\": \"core::felt252\"}], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"change_guardian_backup\", \"inputs\": [{\"name\": \"new_guardian_backup\", \"type\": \"core::felt252\"}], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"trigger_escape_owner\", \"inputs\": [{\"name\": \"new_owner\", \"type\": \"core::felt252\"}], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"trigger_escape_guardian\", \"inputs\": [{\"name\": \"new_guardian\", \"type\": \"core::felt252\"}], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"escape_owner\", \"inputs\": [], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"escape_guardian\", \"inputs\": [], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"cancel_escape\", \"inputs\": [], \"outputs\": [], \"state_mutability\": \"external\"}, {\"type\": \"function\", \"name\": \"get_owner\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_guardian\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_guardian_backup\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_escape\", \"inputs\": [], \"outputs\": [{\"type\": \"account::escape::Escape\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_version\", \"inputs\": [], \"outputs\": [{\"type\": \"lib::version::Version\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_name\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_guardian_escape_attempts\", \"inputs\": [], \"outputs\": [{\"type\": \"core::integer::u32\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_owner_escape_attempts\", \"inputs\": [], \"outputs\": [{\"type\": \"core::integer::u32\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"get_escape_and_status\", \"inputs\": [], \"outputs\": [{\"type\": \"(account::escape::Escape, account::escape::EscapeStatus)\"}], \"state_mutability\": \"view\"}]}, {\"type\": \"impl\", \"name\": \"Erc165Impl\", \"interface_name\": \"lib::erc165::IErc165\"}, {\"type\": \"interface\", \"name\": \"lib::erc165::IErc165\", \"items\": [{\"type\": \"function\", \"name\": \"supports_interface\", \"inputs\": [{\"name\": \"interface_id\", \"type\": \"core::felt252\"}], \"outputs\": [{\"type\": \"core::bool\"}], \"state_mutability\": \"view\"}]}, {\"type\": \"impl\", \"name\": \"OldArgentAccountImpl\", \"interface_name\": \"account::interface::IDeprecatedArgentAccount\"}, {\"type\": \"interface\", \"name\": \"account::interface::IDeprecatedArgentAccount\", \"items\": [{\"type\": \"function\", \"name\": \"getVersion\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"getName\", \"inputs\": [], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"supportsInterface\", \"inputs\": [{\"name\": \"interface_id\", \"type\": \"core::felt252\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}, {\"type\": \"function\", \"name\": \"isValidSignature\", \"inputs\": [{\"name\": \"hash\", \"type\": \"core::felt252\"}, {\"name\": \"signatures\", \"type\": \"core::array::Array::<core::felt252>\"}], \"outputs\": [{\"type\": \"core::felt252\"}], \"state_mutability\": \"view\"}]}, {\"type\": \"constructor\", \"name\": \"constructor\", \"inputs\": [{\"name\": \"owner\", \"type\": \"core::felt252\"}, {\"name\": \"guardian\", \"type\": \"core::felt252\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::AccountCreated\", \"kind\": \"struct\", \"members\": [{\"name\": \"owner\", \"type\": \"core::felt252\", \"kind\": \"key\"}, {\"name\": \"guardian\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"struct\", \"name\": \"core::array::Span::<core::array::Span::<core::felt252>>\", \"members\": [{\"name\": \"snapshot\", \"type\": \"@core::array::Array::<core::array::Span::<core::felt252>>\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::TransactionExecuted\", \"kind\": \"struct\", \"members\": [{\"name\": \"hash\", \"type\": \"core::felt252\", \"kind\": \"key\"}, {\"name\": \"response\", \"type\": \"core::array::Span::<core::array::Span::<core::felt252>>\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::EscapeOwnerTriggered\", \"kind\": \"struct\", \"members\": [{\"name\": \"ready_at\", \"type\": \"core::integer::u64\", \"kind\": \"data\"}, {\"name\": \"new_owner\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::EscapeGuardianTriggered\", \"kind\": \"struct\", \"members\": [{\"name\": \"ready_at\", \"type\": \"core::integer::u64\", \"kind\": \"data\"}, {\"name\": \"new_guardian\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::OwnerEscaped\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_owner\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::GuardianEscaped\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_guardian\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::EscapeCanceled\", \"kind\": \"struct\", \"members\": []}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::OwnerChanged\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_owner\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::GuardianChanged\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_guardian\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::GuardianBackupChanged\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_guardian_backup\", \"type\": \"core::felt252\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::AccountUpgraded\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_implementation\", \"type\": \"core::starknet::class_hash::ClassHash\", \"kind\": \"data\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::OwnerAdded\", \"kind\": \"struct\", \"members\": [{\"name\": \"new_owner_guid\", \"type\": \"core::felt252\", \"kind\": \"key\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::OwnerRemoved\", \"kind\": \"struct\", \"members\": [{\"name\": \"removed_owner_guid\", \"type\": \"core::felt252\", \"kind\": \"key\"}]}, {\"type\": \"event\", \"name\": \"account::argent_account::ArgentAccount::Event\", \"kind\": \"enum\", \"variants\": [{\"name\": \"AccountCreated\", \"type\": \"account::argent_account::ArgentAccount::AccountCreated\", \"kind\": \"nested\"}, {\"name\": \"TransactionExecuted\", \"type\": \"account::argent_account::ArgentAccount::TransactionExecuted\", \"kind\": \"nested\"}, {\"name\": \"EscapeOwnerTriggered\", \"type\": \"account::argent_account::ArgentAccount::EscapeOwnerTriggered\", \"kind\": \"nested\"}, {\"name\": \"EscapeGuardianTriggered\", \"type\": \"account::argent_account::ArgentAccount::EscapeGuardianTriggered\", \"kind\": \"nested\"}, {\"name\": \"OwnerEscaped\", \"type\": \"account::argent_account::ArgentAccount::OwnerEscaped\", \"kind\": \"nested\"}, {\"name\": \"GuardianEscaped\", \"type\": \"account::argent_account::ArgentAccount::GuardianEscaped\", \"kind\": \"nested\"}, {\"name\": \"EscapeCanceled\", \"type\": \"account::argent_account::ArgentAccount::EscapeCanceled\", \"kind\": \"nested\"}, {\"name\": \"OwnerChanged\", \"type\": \"account::argent_account::ArgentAccount::OwnerChanged\", \"kind\": \"nested\"}, {\"name\": \"GuardianChanged\", \"type\": \"account::argent_account::ArgentAccount::GuardianChanged\", \"kind\": \"nested\"}, {\"name\": \"GuardianBackupChanged\", \"type\": \"account::argent_account::ArgentAccount::GuardianBackupChanged\", \"kind\": \"nested\"}, {\"name\": \"AccountUpgraded\", \"type\": \"account::argent_account::ArgentAccount::AccountUpgraded\", \"kind\": \"nested\"}, {\"name\": \"OwnerAdded\", \"type\": \"account::argent_account::ArgentAccount::OwnerAdded\", \"kind\": \"nested\"}, {\"name\": \"OwnerRemoved\", \"type\": \"account::argent_account::ArgentAccount::OwnerRemoved\", \"kind\": \"nested\"}]}]"} |
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_class_by_hash/2_not_declared.txt | {"code": "StarknetErrorCode.UNDECLARED_CLASS", "message": "Class with hash 0x111111111111111111111111 is not declared."} |
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_class_by_hash/1_cairo_0.txt | {"abi": [{"inputs": [{"name": "implementation", "type": "felt"}, {"name": "selector", "type": "felt"}, {"name": "calldata_len", "type": "felt"}, {"name": "calldata", "type": "felt*"}], "name": "constructor", "outputs": [], "type": "constructor"}, {"inputs": [{"name": "selector", "type": "felt"}, {"name": "calldata_size", "type": "felt"}, {"name": "calldata", "type": "felt*"}], "name": "__default__", "outputs": [{"name": "retdata_size", "type": "felt"}, {"name": "retdata", "type": "felt*"}], "type": "function"}, {"inputs": [{"name": "selector", "type": "felt"}, {"name": "calldata_size", "type": "felt"}, {"name": "calldata", "type": "felt*"}], "name": "__l1_default__", "outputs": [], "type": "l1_handler"}, {"inputs": [], "name": "get_implementation", "outputs": [{"name": "implementation", "type": "felt"}], "stateMutability": "view", "type": "function"}], "program": {"debug_info": null, "builtins": ["pedersen", "range_check"], "hints": {"0": [{"code": "from starkware.cairo.common.math_utils import assert_integer\nassert_integer(ids.value)\nassert ids.value % PRIME != 0, f'assert_not_zero failed: {ids.value} = 0.'", "flow_tracking_data": {"reference_ids": {"starkware.cairo.common.math.assert_not_zero.value": 0}, "ap_tracking": {"offset": 0, "group": 0}}, "accessible_scopes": ["starkware.cairo.common.math", "starkware.cairo.common.math.assert_not_zero"]}], "12": [{"code": "syscall_handler.library_call(segments=segments, syscall_ptr=ids.syscall_ptr)", "flow_tracking_data": {"reference_ids": {"starkware.starknet.common.syscalls.library_call.syscall_ptr": 1}, "ap_tracking": {"offset": 1, "group": 1}}, "accessible_scopes": ["starkware.starknet.common.syscalls", "starkware.starknet.common.syscalls.library_call"]}], "24": [{"code": "syscall_handler.library_call_l1_handler(segments=segments, syscall_ptr=ids.syscall_ptr)", "flow_tracking_data": {"reference_ids": {"starkware.starknet.common.syscalls.library_call_l1_handler.syscall_ptr": 2}, "ap_tracking": {"offset": 1, "group": 2}}, "accessible_scopes": ["starkware.starknet.common.syscalls", "starkware.starknet.common.syscalls.library_call_l1_handler"]}], "33": [{"code": "syscall_handler.storage_read(segments=segments, syscall_ptr=ids.syscall_ptr)", "flow_tracking_data": {"reference_ids": {"starkware.starknet.common.syscalls.storage_read.syscall_ptr": 3}, "ap_tracking": {"offset": 1, "group": 3}}, "accessible_scopes": ["starkware.starknet.common.syscalls", "starkware.starknet.common.syscalls.storage_read"]}], "42": [{"code": "syscall_handler.storage_write(segments=segments, syscall_ptr=ids.syscall_ptr)", "flow_tracking_data": {"reference_ids": {"starkware.starknet.common.syscalls.storage_write.syscall_ptr": 4}, "ap_tracking": {"offset": 1, "group": 4}}, "accessible_scopes": ["starkware.starknet.common.syscalls", "starkware.starknet.common.syscalls.storage_write"]}], "128": [{"code": "memory[ap] = segments.add()", "flow_tracking_data": {"reference_ids": {}, "ap_tracking": {"offset": 60, "group": 11}}, "accessible_scopes": ["__main__", "__main__", "__wrappers__", "__wrappers__.constructor"]}], "188": [{"code": "memory[ap] = segments.add()", "flow_tracking_data": {"reference_ids": {}, "ap_tracking": {"offset": 50, "group": 15}}, "accessible_scopes": ["__main__", "__main__", "__wrappers__", "__wrappers__.__l1_default__"]}], "203": [{"code": "memory[ap] = segments.add()", "flow_tracking_data": {"reference_ids": {}, "ap_tracking": {"offset": 0, "group": 17}}, "accessible_scopes": ["__main__", "__main__", "__wrappers__", "__wrappers__.get_implementation_encode_return"]}]}, "identifiers": {"__main__.HashBuiltin": {"destination": "starkware.cairo.common.cairo_builtins.HashBuiltin", "type": "alias"}, "__main__.__default__": {"pc": 137, "decorators": ["external", "raw_input", "raw_output"], "type": "function"}, "__main__.__default__.Args": {"full_name": "__main__.__default__.Args", "size": 3, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "calldata_size": {"offset": 1, "cairo_type": "felt"}, "calldata": {"offset": 2, "cairo_type": "felt*"}}, "type": "struct"}, "__main__.__default__.ImplicitArgs": {"full_name": "__main__.__default__.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "__main__.__default__.Return": {"cairo_type": "(retdata_size: felt, retdata: felt*)", "type": "type_definition"}, "__main__.__default__.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__main__.__l1_default__": {"pc": 164, "decorators": ["l1_handler", "raw_input"], "type": "function"}, "__main__.__l1_default__.Args": {"full_name": "__main__.__l1_default__.Args", "size": 3, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "calldata_size": {"offset": 1, "cairo_type": "felt"}, "calldata": {"offset": 2, "cairo_type": "felt*"}}, "type": "struct"}, "__main__.__l1_default__.ImplicitArgs": {"full_name": "__main__.__l1_default__.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "__main__.__l1_default__.Return": {"cairo_type": "()", "type": "type_definition"}, "__main__.__l1_default__.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__main__._get_implementation": {"destination": "contracts.Upgradable._get_implementation", "type": "alias"}, "__main__._set_implementation": {"destination": "contracts.Upgradable._set_implementation", "type": "alias"}, "__main__.constructor": {"pc": 91, "decorators": ["constructor"], "type": "function"}, "__main__.constructor.Args": {"full_name": "__main__.constructor.Args", "size": 4, "members": {"implementation": {"offset": 0, "cairo_type": "felt"}, "selector": {"offset": 1, "cairo_type": "felt"}, "calldata_len": {"offset": 2, "cairo_type": "felt"}, "calldata": {"offset": 3, "cairo_type": "felt*"}}, "type": "struct"}, "__main__.constructor.ImplicitArgs": {"full_name": "__main__.constructor.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "__main__.constructor.Return": {"cairo_type": "()", "type": "type_definition"}, "__main__.constructor.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__main__.get_implementation": {"pc": 197, "decorators": ["view"], "type": "function"}, "__main__.get_implementation.Args": {"full_name": "__main__.get_implementation.Args", "size": 0, "members": {}, "type": "struct"}, "__main__.get_implementation.ImplicitArgs": {"full_name": "__main__.get_implementation.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "__main__.get_implementation.Return": {"cairo_type": "(implementation: felt)", "type": "type_definition"}, "__main__.get_implementation.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__main__.library_call": {"destination": "starkware.starknet.common.syscalls.library_call", "type": "alias"}, "__main__.library_call_l1_handler": {"destination": "starkware.starknet.common.syscalls.library_call_l1_handler", "type": "alias"}, "__wrappers__.__default__": {"pc": 155, "decorators": ["external", "raw_input", "raw_output"], "type": "function"}, "__wrappers__.__default__.Args": {"full_name": "__wrappers__.__default__.Args", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.__default__.ImplicitArgs": {"full_name": "__wrappers__.__default__.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.__default__.Return": {"cairo_type": "(syscall_ptr: felt*, pedersen_ptr: starkware.cairo.common.cairo_builtins.HashBuiltin*, range_check_ptr: felt, size: felt, retdata: felt*)", "type": "type_definition"}, "__wrappers__.__default__.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__wrappers__.__default__.__wrapped_func": {"destination": "__main__.__default__", "type": "alias"}, "__wrappers__.__default___encode_return.memcpy": {"destination": "starkware.cairo.common.memcpy.memcpy", "type": "alias"}, "__wrappers__.__l1_default__": {"pc": 180, "decorators": ["l1_handler", "raw_input"], "type": "function"}, "__wrappers__.__l1_default__.Args": {"full_name": "__wrappers__.__l1_default__.Args", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.__l1_default__.ImplicitArgs": {"full_name": "__wrappers__.__l1_default__.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.__l1_default__.Return": {"cairo_type": "(syscall_ptr: felt*, pedersen_ptr: starkware.cairo.common.cairo_builtins.HashBuiltin*, range_check_ptr: felt, size: felt, retdata: felt*)", "type": "type_definition"}, "__wrappers__.__l1_default__.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__wrappers__.__l1_default__.__wrapped_func": {"destination": "__main__.__l1_default__", "type": "alias"}, "__wrappers__.__l1_default___encode_return.memcpy": {"destination": "starkware.cairo.common.memcpy.memcpy", "type": "alias"}, "__wrappers__.constructor": {"pc": 108, "decorators": ["constructor"], "type": "function"}, "__wrappers__.constructor.Args": {"full_name": "__wrappers__.constructor.Args", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.constructor.ImplicitArgs": {"full_name": "__wrappers__.constructor.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.constructor.Return": {"cairo_type": "(syscall_ptr: felt*, pedersen_ptr: starkware.cairo.common.cairo_builtins.HashBuiltin*, range_check_ptr: felt, size: felt, retdata: felt*)", "type": "type_definition"}, "__wrappers__.constructor.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__wrappers__.constructor.__wrapped_func": {"destination": "__main__.constructor", "type": "alias"}, "__wrappers__.constructor_encode_return.memcpy": {"destination": "starkware.cairo.common.memcpy.memcpy", "type": "alias"}, "__wrappers__.get_implementation": {"pc": 212, "decorators": ["view"], "type": "function"}, "__wrappers__.get_implementation.Args": {"full_name": "__wrappers__.get_implementation.Args", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.get_implementation.ImplicitArgs": {"full_name": "__wrappers__.get_implementation.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.get_implementation.Return": {"cairo_type": "(syscall_ptr: felt*, pedersen_ptr: starkware.cairo.common.cairo_builtins.HashBuiltin*, range_check_ptr: felt, size: felt, retdata: felt*)", "type": "type_definition"}, "__wrappers__.get_implementation.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "__wrappers__.get_implementation.__wrapped_func": {"destination": "__main__.get_implementation", "type": "alias"}, "__wrappers__.get_implementation_encode_return": {"pc": 203, "decorators": [], "type": "function"}, "__wrappers__.get_implementation_encode_return.Args": {"full_name": "__wrappers__.get_implementation_encode_return.Args", "size": 2, "members": {"ret_value": {"offset": 0, "cairo_type": "(implementation: felt)"}, "range_check_ptr": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "__wrappers__.get_implementation_encode_return.ImplicitArgs": {"full_name": "__wrappers__.get_implementation_encode_return.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "__wrappers__.get_implementation_encode_return.Return": {"cairo_type": "(range_check_ptr: felt, data_len: felt, data: felt*)", "type": "type_definition"}, "__wrappers__.get_implementation_encode_return.SIZEOF_LOCALS": {"value": 1, "type": "const"}, "__wrappers__.get_implementation_encode_return.memcpy": {"destination": "starkware.cairo.common.memcpy.memcpy", "type": "alias"}, "contracts.Upgradable.HashBuiltin": {"destination": "starkware.cairo.common.cairo_builtins.HashBuiltin", "type": "alias"}, "contracts.Upgradable._get_implementation": {"pc": 75, "decorators": [], "type": "function"}, "contracts.Upgradable._get_implementation.Args": {"full_name": "contracts.Upgradable._get_implementation.Args", "size": 0, "members": {}, "type": "struct"}, "contracts.Upgradable._get_implementation.ImplicitArgs": {"full_name": "contracts.Upgradable._get_implementation.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._get_implementation.Return": {"cairo_type": "(implementation: felt)", "type": "type_definition"}, "contracts.Upgradable._get_implementation.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable._implementation": {"type": "namespace"}, "contracts.Upgradable._implementation.Args": {"full_name": "contracts.Upgradable._implementation.Args", "size": 0, "members": {}, "type": "struct"}, "contracts.Upgradable._implementation.HashBuiltin": {"destination": "starkware.cairo.common.cairo_builtins.HashBuiltin", "type": "alias"}, "contracts.Upgradable._implementation.ImplicitArgs": {"full_name": "contracts.Upgradable._implementation.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "contracts.Upgradable._implementation.Return": {"cairo_type": "()", "type": "type_definition"}, "contracts.Upgradable._implementation.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable._implementation.addr": {"pc": 45, "decorators": [], "type": "function"}, "contracts.Upgradable._implementation.addr.Args": {"full_name": "contracts.Upgradable._implementation.addr.Args", "size": 0, "members": {}, "type": "struct"}, "contracts.Upgradable._implementation.addr.ImplicitArgs": {"full_name": "contracts.Upgradable._implementation.addr.ImplicitArgs", "size": 2, "members": {"pedersen_ptr": {"offset": 0, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._implementation.addr.Return": {"cairo_type": "(res: felt)", "type": "type_definition"}, "contracts.Upgradable._implementation.addr.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable._implementation.hash2": {"destination": "starkware.cairo.common.hash.hash2", "type": "alias"}, "contracts.Upgradable._implementation.normalize_address": {"destination": "starkware.starknet.common.storage.normalize_address", "type": "alias"}, "contracts.Upgradable._implementation.read": {"pc": 50, "decorators": [], "type": "function"}, "contracts.Upgradable._implementation.read.Args": {"full_name": "contracts.Upgradable._implementation.read.Args", "size": 0, "members": {}, "type": "struct"}, "contracts.Upgradable._implementation.read.ImplicitArgs": {"full_name": "contracts.Upgradable._implementation.read.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._implementation.read.Return": {"cairo_type": "(address: felt)", "type": "type_definition"}, "contracts.Upgradable._implementation.read.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable._implementation.storage_read": {"destination": "starkware.starknet.common.syscalls.storage_read", "type": "alias"}, "contracts.Upgradable._implementation.storage_write": {"destination": "starkware.starknet.common.syscalls.storage_write", "type": "alias"}, "contracts.Upgradable._implementation.write": {"pc": 63, "decorators": [], "type": "function"}, "contracts.Upgradable._implementation.write.Args": {"full_name": "contracts.Upgradable._implementation.write.Args", "size": 1, "members": {"value": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._implementation.write.ImplicitArgs": {"full_name": "contracts.Upgradable._implementation.write.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._implementation.write.Return": {"cairo_type": "()", "type": "type_definition"}, "contracts.Upgradable._implementation.write.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable._set_implementation": {"pc": 81, "decorators": [], "type": "function"}, "contracts.Upgradable._set_implementation.Args": {"full_name": "contracts.Upgradable._set_implementation.Args", "size": 1, "members": {"implementation": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._set_implementation.ImplicitArgs": {"full_name": "contracts.Upgradable._set_implementation.ImplicitArgs", "size": 3, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}, "pedersen_ptr": {"offset": 1, "cairo_type": "starkware.cairo.common.cairo_builtins.HashBuiltin*"}, "range_check_ptr": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "contracts.Upgradable._set_implementation.Return": {"cairo_type": "()", "type": "type_definition"}, "contracts.Upgradable._set_implementation.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "contracts.Upgradable.assert_not_zero": {"destination": "starkware.cairo.common.math.assert_not_zero", "type": "alias"}, "starkware.cairo.common.cairo_builtins.BitwiseBuiltin": {"full_name": "starkware.cairo.common.cairo_builtins.BitwiseBuiltin", "size": 5, "members": {"x": {"offset": 0, "cairo_type": "felt"}, "y": {"offset": 1, "cairo_type": "felt"}, "x_and_y": {"offset": 2, "cairo_type": "felt"}, "x_xor_y": {"offset": 3, "cairo_type": "felt"}, "x_or_y": {"offset": 4, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.cairo_builtins.EcOpBuiltin": {"full_name": "starkware.cairo.common.cairo_builtins.EcOpBuiltin", "size": 7, "members": {"p": {"offset": 0, "cairo_type": "starkware.cairo.common.ec_point.EcPoint"}, "q": {"offset": 2, "cairo_type": "starkware.cairo.common.ec_point.EcPoint"}, "m": {"offset": 4, "cairo_type": "felt"}, "r": {"offset": 5, "cairo_type": "starkware.cairo.common.ec_point.EcPoint"}}, "type": "struct"}, "starkware.cairo.common.cairo_builtins.EcPoint": {"destination": "starkware.cairo.common.ec_point.EcPoint", "type": "alias"}, "starkware.cairo.common.cairo_builtins.HashBuiltin": {"full_name": "starkware.cairo.common.cairo_builtins.HashBuiltin", "size": 3, "members": {"x": {"offset": 0, "cairo_type": "felt"}, "y": {"offset": 1, "cairo_type": "felt"}, "result": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.cairo_builtins.SignatureBuiltin": {"full_name": "starkware.cairo.common.cairo_builtins.SignatureBuiltin", "size": 2, "members": {"pub_key": {"offset": 0, "cairo_type": "felt"}, "message": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.dict_access.DictAccess": {"full_name": "starkware.cairo.common.dict_access.DictAccess", "size": 3, "members": {"key": {"offset": 0, "cairo_type": "felt"}, "prev_value": {"offset": 1, "cairo_type": "felt"}, "new_value": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.ec_point.EcPoint": {"full_name": "starkware.cairo.common.ec_point.EcPoint", "size": 2, "members": {"x": {"offset": 0, "cairo_type": "felt"}, "y": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.hash.HashBuiltin": {"destination": "starkware.cairo.common.cairo_builtins.HashBuiltin", "type": "alias"}, "starkware.cairo.common.math.assert_not_zero": {"pc": 0, "decorators": [], "type": "function"}, "starkware.cairo.common.math.assert_not_zero.Args": {"full_name": "starkware.cairo.common.math.assert_not_zero.Args", "size": 1, "members": {"value": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.cairo.common.math.assert_not_zero.ImplicitArgs": {"full_name": "starkware.cairo.common.math.assert_not_zero.ImplicitArgs", "size": 0, "members": {}, "type": "struct"}, "starkware.cairo.common.math.assert_not_zero.Return": {"cairo_type": "()", "type": "type_definition"}, "starkware.cairo.common.math.assert_not_zero.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "starkware.cairo.common.math.assert_not_zero.value": {"full_name": "starkware.cairo.common.math.assert_not_zero.value", "cairo_type": "felt", "references": [{"pc": 0, "value": "[cast(fp + (-3), felt*)]", "ap_tracking_data": {"offset": 0, "group": 0}}], "type": "reference"}, "starkware.starknet.common.storage.ADDR_BOUND": {"value": -106710729501573572985208420194530329073740042555888586719489, "type": "const"}, "starkware.starknet.common.storage.MAX_STORAGE_ITEM_SIZE": {"value": 256, "type": "const"}, "starkware.starknet.common.storage.assert_250_bit": {"destination": "starkware.cairo.common.math.assert_250_bit", "type": "alias"}, "starkware.starknet.common.syscalls.CALL_CONTRACT_SELECTOR": {"value": 20853273475220472486191784820, "type": "const"}, "starkware.starknet.common.syscalls.CallContract": {"full_name": "starkware.starknet.common.syscalls.CallContract", "size": 7, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.CallContractRequest"}, "response": {"offset": 5, "cairo_type": "starkware.starknet.common.syscalls.CallContractResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.CallContractRequest": {"full_name": "starkware.starknet.common.syscalls.CallContractRequest", "size": 5, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "contract_address": {"offset": 1, "cairo_type": "felt"}, "function_selector": {"offset": 2, "cairo_type": "felt"}, "calldata_size": {"offset": 3, "cairo_type": "felt"}, "calldata": {"offset": 4, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.CallContractResponse": {"full_name": "starkware.starknet.common.syscalls.CallContractResponse", "size": 2, "members": {"retdata_size": {"offset": 0, "cairo_type": "felt"}, "retdata": {"offset": 1, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.DELEGATE_CALL_SELECTOR": {"value": 21167594061783206823196716140, "type": "const"}, "starkware.starknet.common.syscalls.DELEGATE_L1_HANDLER_SELECTOR": {"value": 23274015802972845247556842986379118667122, "type": "const"}, "starkware.starknet.common.syscalls.DEPLOY_SELECTOR": {"value": 75202468540281, "type": "const"}, "starkware.starknet.common.syscalls.Deploy": {"full_name": "starkware.starknet.common.syscalls.Deploy", "size": 9, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.DeployRequest"}, "response": {"offset": 6, "cairo_type": "starkware.starknet.common.syscalls.DeployResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.DeployRequest": {"full_name": "starkware.starknet.common.syscalls.DeployRequest", "size": 6, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "class_hash": {"offset": 1, "cairo_type": "felt"}, "contract_address_salt": {"offset": 2, "cairo_type": "felt"}, "constructor_calldata_size": {"offset": 3, "cairo_type": "felt"}, "constructor_calldata": {"offset": 4, "cairo_type": "felt*"}, "reserved": {"offset": 5, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.DeployResponse": {"full_name": "starkware.starknet.common.syscalls.DeployResponse", "size": 3, "members": {"contract_address": {"offset": 0, "cairo_type": "felt"}, "constructor_retdata_size": {"offset": 1, "cairo_type": "felt"}, "constructor_retdata": {"offset": 2, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.DictAccess": {"destination": "starkware.cairo.common.dict_access.DictAccess", "type": "alias"}, "starkware.starknet.common.syscalls.EMIT_EVENT_SELECTOR": {"value": 1280709301550335749748, "type": "const"}, "starkware.starknet.common.syscalls.EmitEvent": {"full_name": "starkware.starknet.common.syscalls.EmitEvent", "size": 5, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "keys_len": {"offset": 1, "cairo_type": "felt"}, "keys": {"offset": 2, "cairo_type": "felt*"}, "data_len": {"offset": 3, "cairo_type": "felt"}, "data": {"offset": 4, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GET_BLOCK_NUMBER_SELECTOR": {"value": 1448089106835523001438702345020786, "type": "const"}, "starkware.starknet.common.syscalls.GET_BLOCK_TIMESTAMP_SELECTOR": {"value": 24294903732626645868215235778792757751152, "type": "const"}, "starkware.starknet.common.syscalls.GET_CALLER_ADDRESS_SELECTOR": {"value": 94901967781393078444254803017658102643, "type": "const"}, "starkware.starknet.common.syscalls.GET_CONTRACT_ADDRESS_SELECTOR": {"value": 6219495360805491471215297013070624192820083, "type": "const"}, "starkware.starknet.common.syscalls.GET_SEQUENCER_ADDRESS_SELECTOR": {"value": 1592190833581991703053805829594610833820054387, "type": "const"}, "starkware.starknet.common.syscalls.GET_TX_INFO_SELECTOR": {"value": 1317029390204112103023, "type": "const"}, "starkware.starknet.common.syscalls.GET_TX_SIGNATURE_SELECTOR": {"value": 1448089128652340074717162277007973, "type": "const"}, "starkware.starknet.common.syscalls.GetBlockNumber": {"full_name": "starkware.starknet.common.syscalls.GetBlockNumber", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetBlockNumberRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetBlockNumberResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetBlockNumberRequest": {"full_name": "starkware.starknet.common.syscalls.GetBlockNumberRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetBlockNumberResponse": {"full_name": "starkware.starknet.common.syscalls.GetBlockNumberResponse", "size": 1, "members": {"block_number": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetBlockTimestamp": {"full_name": "starkware.starknet.common.syscalls.GetBlockTimestamp", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetBlockTimestampRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetBlockTimestampResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetBlockTimestampRequest": {"full_name": "starkware.starknet.common.syscalls.GetBlockTimestampRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetBlockTimestampResponse": {"full_name": "starkware.starknet.common.syscalls.GetBlockTimestampResponse", "size": 1, "members": {"block_timestamp": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetCallerAddress": {"full_name": "starkware.starknet.common.syscalls.GetCallerAddress", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetCallerAddressRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetCallerAddressResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetCallerAddressRequest": {"full_name": "starkware.starknet.common.syscalls.GetCallerAddressRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetCallerAddressResponse": {"full_name": "starkware.starknet.common.syscalls.GetCallerAddressResponse", "size": 1, "members": {"caller_address": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetContractAddress": {"full_name": "starkware.starknet.common.syscalls.GetContractAddress", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetContractAddressRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetContractAddressResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetContractAddressRequest": {"full_name": "starkware.starknet.common.syscalls.GetContractAddressRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetContractAddressResponse": {"full_name": "starkware.starknet.common.syscalls.GetContractAddressResponse", "size": 1, "members": {"contract_address": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetSequencerAddress": {"full_name": "starkware.starknet.common.syscalls.GetSequencerAddress", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetSequencerAddressRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetSequencerAddressResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetSequencerAddressRequest": {"full_name": "starkware.starknet.common.syscalls.GetSequencerAddressRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetSequencerAddressResponse": {"full_name": "starkware.starknet.common.syscalls.GetSequencerAddressResponse", "size": 1, "members": {"sequencer_address": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxInfo": {"full_name": "starkware.starknet.common.syscalls.GetTxInfo", "size": 2, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetTxInfoRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetTxInfoResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxInfoRequest": {"full_name": "starkware.starknet.common.syscalls.GetTxInfoRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxInfoResponse": {"full_name": "starkware.starknet.common.syscalls.GetTxInfoResponse", "size": 1, "members": {"tx_info": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.TxInfo*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxSignature": {"full_name": "starkware.starknet.common.syscalls.GetTxSignature", "size": 3, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.GetTxSignatureRequest"}, "response": {"offset": 1, "cairo_type": "starkware.starknet.common.syscalls.GetTxSignatureResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxSignatureRequest": {"full_name": "starkware.starknet.common.syscalls.GetTxSignatureRequest", "size": 1, "members": {"selector": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.GetTxSignatureResponse": {"full_name": "starkware.starknet.common.syscalls.GetTxSignatureResponse", "size": 2, "members": {"signature_len": {"offset": 0, "cairo_type": "felt"}, "signature": {"offset": 1, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.LIBRARY_CALL_L1_HANDLER_SELECTOR": {"value": 436233452754198157705746250789557519228244616562, "type": "const"}, "starkware.starknet.common.syscalls.LIBRARY_CALL_SELECTOR": {"value": 92376026794327011772951660, "type": "const"}, "starkware.starknet.common.syscalls.LibraryCall": {"full_name": "starkware.starknet.common.syscalls.LibraryCall", "size": 7, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.LibraryCallRequest"}, "response": {"offset": 5, "cairo_type": "starkware.starknet.common.syscalls.CallContractResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.LibraryCallRequest": {"full_name": "starkware.starknet.common.syscalls.LibraryCallRequest", "size": 5, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "class_hash": {"offset": 1, "cairo_type": "felt"}, "function_selector": {"offset": 2, "cairo_type": "felt"}, "calldata_size": {"offset": 3, "cairo_type": "felt"}, "calldata": {"offset": 4, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.SEND_MESSAGE_TO_L1_SELECTOR": {"value": 433017908768303439907196859243777073, "type": "const"}, "starkware.starknet.common.syscalls.STORAGE_READ_SELECTOR": {"value": 100890693370601760042082660, "type": "const"}, "starkware.starknet.common.syscalls.STORAGE_WRITE_SELECTOR": {"value": 25828017502874050592466629733, "type": "const"}, "starkware.starknet.common.syscalls.SendMessageToL1SysCall": {"full_name": "starkware.starknet.common.syscalls.SendMessageToL1SysCall", "size": 4, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "to_address": {"offset": 1, "cairo_type": "felt"}, "payload_size": {"offset": 2, "cairo_type": "felt"}, "payload_ptr": {"offset": 3, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.StorageRead": {"full_name": "starkware.starknet.common.syscalls.StorageRead", "size": 3, "members": {"request": {"offset": 0, "cairo_type": "starkware.starknet.common.syscalls.StorageReadRequest"}, "response": {"offset": 2, "cairo_type": "starkware.starknet.common.syscalls.StorageReadResponse"}}, "type": "struct"}, "starkware.starknet.common.syscalls.StorageReadRequest": {"full_name": "starkware.starknet.common.syscalls.StorageReadRequest", "size": 2, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "address": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.StorageReadResponse": {"full_name": "starkware.starknet.common.syscalls.StorageReadResponse", "size": 1, "members": {"value": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.StorageWrite": {"full_name": "starkware.starknet.common.syscalls.StorageWrite", "size": 3, "members": {"selector": {"offset": 0, "cairo_type": "felt"}, "address": {"offset": 1, "cairo_type": "felt"}, "value": {"offset": 2, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.TxInfo": {"full_name": "starkware.starknet.common.syscalls.TxInfo", "size": 7, "members": {"version": {"offset": 0, "cairo_type": "felt"}, "account_contract_address": {"offset": 1, "cairo_type": "felt"}, "max_fee": {"offset": 2, "cairo_type": "felt"}, "signature_len": {"offset": 3, "cairo_type": "felt"}, "signature": {"offset": 4, "cairo_type": "felt*"}, "transaction_hash": {"offset": 5, "cairo_type": "felt"}, "chain_id": {"offset": 6, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.library_call": {"pc": 5, "decorators": [], "type": "function"}, "starkware.starknet.common.syscalls.library_call.Args": {"full_name": "starkware.starknet.common.syscalls.library_call.Args", "size": 4, "members": {"class_hash": {"offset": 0, "cairo_type": "felt"}, "function_selector": {"offset": 1, "cairo_type": "felt"}, "calldata_size": {"offset": 2, "cairo_type": "felt"}, "calldata": {"offset": 3, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.library_call.ImplicitArgs": {"full_name": "starkware.starknet.common.syscalls.library_call.ImplicitArgs", "size": 1, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.library_call.Return": {"cairo_type": "(retdata_size: felt, retdata: felt*)", "type": "type_definition"}, "starkware.starknet.common.syscalls.library_call.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "starkware.starknet.common.syscalls.library_call.syscall_ptr": {"full_name": "starkware.starknet.common.syscalls.library_call.syscall_ptr", "cairo_type": "felt*", "references": [{"pc": 5, "value": "[cast(fp + (-7), felt**)]", "ap_tracking_data": {"offset": 0, "group": 1}}, {"pc": 12, "value": "cast([fp + (-7)] + 7, felt*)", "ap_tracking_data": {"offset": 1, "group": 1}}], "type": "reference"}, "starkware.starknet.common.syscalls.library_call_l1_handler": {"pc": 17, "decorators": [], "type": "function"}, "starkware.starknet.common.syscalls.library_call_l1_handler.Args": {"full_name": "starkware.starknet.common.syscalls.library_call_l1_handler.Args", "size": 4, "members": {"class_hash": {"offset": 0, "cairo_type": "felt"}, "function_selector": {"offset": 1, "cairo_type": "felt"}, "calldata_size": {"offset": 2, "cairo_type": "felt"}, "calldata": {"offset": 3, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.library_call_l1_handler.ImplicitArgs": {"full_name": "starkware.starknet.common.syscalls.library_call_l1_handler.ImplicitArgs", "size": 1, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.library_call_l1_handler.Return": {"cairo_type": "(retdata_size: felt, retdata: felt*)", "type": "type_definition"}, "starkware.starknet.common.syscalls.library_call_l1_handler.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "starkware.starknet.common.syscalls.library_call_l1_handler.syscall_ptr": {"full_name": "starkware.starknet.common.syscalls.library_call_l1_handler.syscall_ptr", "cairo_type": "felt*", "references": [{"pc": 17, "value": "[cast(fp + (-7), felt**)]", "ap_tracking_data": {"offset": 0, "group": 2}}, {"pc": 24, "value": "cast([fp + (-7)] + 7, felt*)", "ap_tracking_data": {"offset": 1, "group": 2}}], "type": "reference"}, "starkware.starknet.common.syscalls.storage_read": {"pc": 29, "decorators": [], "type": "function"}, "starkware.starknet.common.syscalls.storage_read.Args": {"full_name": "starkware.starknet.common.syscalls.storage_read.Args", "size": 1, "members": {"address": {"offset": 0, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.storage_read.ImplicitArgs": {"full_name": "starkware.starknet.common.syscalls.storage_read.ImplicitArgs", "size": 1, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.storage_read.Return": {"cairo_type": "(value: felt)", "type": "type_definition"}, "starkware.starknet.common.syscalls.storage_read.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "starkware.starknet.common.syscalls.storage_read.syscall_ptr": {"full_name": "starkware.starknet.common.syscalls.storage_read.syscall_ptr", "cairo_type": "felt*", "references": [{"pc": 29, "value": "[cast(fp + (-4), felt**)]", "ap_tracking_data": {"offset": 0, "group": 3}}, {"pc": 33, "value": "cast([fp + (-4)] + 3, felt*)", "ap_tracking_data": {"offset": 1, "group": 3}}], "type": "reference"}, "starkware.starknet.common.syscalls.storage_write": {"pc": 37, "decorators": [], "type": "function"}, "starkware.starknet.common.syscalls.storage_write.Args": {"full_name": "starkware.starknet.common.syscalls.storage_write.Args", "size": 2, "members": {"address": {"offset": 0, "cairo_type": "felt"}, "value": {"offset": 1, "cairo_type": "felt"}}, "type": "struct"}, "starkware.starknet.common.syscalls.storage_write.ImplicitArgs": {"full_name": "starkware.starknet.common.syscalls.storage_write.ImplicitArgs", "size": 1, "members": {"syscall_ptr": {"offset": 0, "cairo_type": "felt*"}}, "type": "struct"}, "starkware.starknet.common.syscalls.storage_write.Return": {"cairo_type": "()", "type": "type_definition"}, "starkware.starknet.common.syscalls.storage_write.SIZEOF_LOCALS": {"value": 0, "type": "const"}, "starkware.starknet.common.syscalls.storage_write.syscall_ptr": {"full_name": "starkware.starknet.common.syscalls.storage_write.syscall_ptr", "cairo_type": "felt*", "references": [{"pc": 37, "value": "[cast(fp + (-5), felt**)]", "ap_tracking_data": {"offset": 0, "group": 4}}, {"pc": 42, "value": "cast([fp + (-5)] + 3, felt*)", "ap_tracking_data": {"offset": 1, "group": 4}}], "type": "reference"}}, "attributes": [], "reference_manager": {"references": [{"pc": 0, "value": "[cast(fp + (-3), felt*)]", "ap_tracking_data": {"offset": 0, "group": 0}}, {"pc": 5, "value": "[cast(fp + (-7), felt**)]", "ap_tracking_data": {"offset": 0, "group": 1}}, {"pc": 17, "value": "[cast(fp + (-7), felt**)]", "ap_tracking_data": {"offset": 0, "group": 2}}, {"pc": 29, "value": "[cast(fp + (-4), felt**)]", "ap_tracking_data": {"offset": 0, "group": 3}}, {"pc": 37, "value": "[cast(fp + (-5), felt**)]", "ap_tracking_data": {"offset": 0, "group": 4}}]}, "main_scope": "__main__", "prime": "0x800000000000011000000000000000000000000000000000000000000000001", "data": ["0x20780017fff7ffd", "0x4", "0x400780017fff7ffd", "0x1", "0x208b7fff7fff7ffe", "0x480680017fff8000", "0x4c69627261727943616c6c", "0x400280007ff97fff", "0x400380017ff97ffa", "0x400380027ff97ffb", "0x400380037ff97ffc", "0x400380047ff97ffd", "0x482680017ff98000", "0x7", "0x480280057ff98000", "0x480280067ff98000", "0x208b7fff7fff7ffe", "0x480680017fff8000", "0x4c69627261727943616c6c4c3148616e646c6572", "0x400280007ff97fff", "0x400380017ff97ffa", "0x400380027ff97ffb", "0x400380037ff97ffc", "0x400380047ff97ffd", "0x482680017ff98000", "0x7", "0x480280057ff98000", "0x480280067ff98000", "0x208b7fff7fff7ffe", "0x480680017fff8000", "0x53746f7261676552656164", "0x400280007ffc7fff", "0x400380017ffc7ffd", "0x482680017ffc8000", "0x3", "0x480280027ffc8000", "0x208b7fff7fff7ffe", "0x480680017fff8000", "0x53746f726167655772697465", "0x400280007ffb7fff", "0x400380017ffb7ffc", "0x400380027ffb7ffd", "0x482680017ffb8000", "0x3", "0x208b7fff7fff7ffe", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x480680017fff8000", "0xf920571b9f85bdd92a867cfdc73319d0f8836f0e69e06e4c5566b6203f75cc", "0x208b7fff7fff7ffe", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010fffffffffffffffffffffffffffffffffffffffffffffffa", "0x480a7ffb7fff8000", "0x48127ffe7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffe6", "0x48127ffe7fff8000", "0x48127ff57fff8000", "0x48127ff57fff8000", "0x48127ffc7fff8000", "0x208b7fff7fff7ffe", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffed", "0x480a7ffa7fff8000", "0x48127ffe7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffe0", "0x48127ff67fff8000", "0x48127ff67fff8000", "0x208b7fff7fff7ffe", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffe5", "0x208b7fff7fff7ffe", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffaf", "0x480a7ffa7fff8000", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffe8", "0x208b7fff7fff7ffe", "0x480a7ff77fff8000", "0x480a7ff87fff8000", "0x480a7ff97fff8000", "0x480a7ffa7fff8000", "0x1104800180018000", "0x800000000000010fffffffffffffffffffffffffffffffffffffffffffffff3", "0x48127ffd7fff8000", "0x480a7ffa7fff8000", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffa0", "0x48127ffd7fff8000", "0x48127ff27fff8000", "0x48127ff27fff8000", "0x208b7fff7fff7ffe", "0x480280027ffb8000", "0x480280027ffd8000", "0x400080007ffe7fff", "0x482680017ffd8000", "0x3", "0x480280027ffd8000", "0x48307fff7ffe8000", "0x402a7ffd7ffc7fff", "0x480280027ffb8000", "0x480280007ffb8000", "0x480280017ffb8000", "0x482480017ffd8000", "0x1", "0x480280007ffd8000", "0x480280017ffd8000", "0x480280027ffd8000", "0x482680017ffd8000", "0x3", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffde", "0x40780017fff7fff", "0x1", "0x48127ffc7fff8000", "0x48127ffc7fff8000", "0x48127ffc7fff8000", "0x480680017fff8000", "0x0", "0x48127ffb7fff8000", "0x208b7fff7fff7ffe", "0x480a7ff87fff8000", "0x480a7ff97fff8000", "0x480a7ffa7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffc0", "0x48127ffc7fff8000", "0x48127ffe7fff8000", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffff73", "0x48127ffd7fff8000", "0x48127ff17fff8000", "0x48127ff17fff8000", "0x48127ffb7fff8000", "0x48127ffb7fff8000", "0x208b7fff7fff7ffe", "0x480280007ffb8000", "0x480280017ffb8000", "0x480280027ffb8000", "0x480a7ffa7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffe9", "0x208b7fff7fff7ffe", "0x480a7ff87fff8000", "0x480a7ff97fff8000", "0x480a7ffa7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffa5", "0x48127ffc7fff8000", "0x48127ffe7fff8000", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffff64", "0x48127ffd7fff8000", "0x48127ff17fff8000", "0x48127ff17fff8000", "0x208b7fff7fff7ffe", "0x480280007ffb8000", "0x480280017ffb8000", "0x480280027ffb8000", "0x480a7ffa7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffeb", "0x40780017fff7fff", "0x1", "0x48127ffc7fff8000", "0x48127ffc7fff8000", "0x48127ffc7fff8000", "0x480680017fff8000", "0x0", "0x48127ffb7fff8000", "0x208b7fff7fff7ffe", "0x480a7ffb7fff8000", "0x480a7ffc7fff8000", "0x480a7ffd7fff8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffff84", "0x208b7fff7fff7ffe", "0x40780017fff7fff", "0x1", "0x4003800080007ffc", "0x4826800180008000", "0x1", "0x480a7ffd7fff8000", "0x4828800080007ffe", "0x480a80007fff8000", "0x208b7fff7fff7ffe", "0x402b7ffd7ffc7ffd", "0x480280007ffb8000", "0x480280017ffb8000", "0x480280027ffb8000", "0x1104800180018000", "0x800000000000010ffffffffffffffffffffffffffffffffffffffffffffffee", "0x48127ffe7fff8000", "0x1104800180018000", "0x800000000000010fffffffffffffffffffffffffffffffffffffffffffffff1", "0x48127ff47fff8000", "0x48127ff47fff8000", "0x48127ffb7fff8000", "0x48127ffb7fff8000", "0x48127ffb7fff8000", "0x208b7fff7fff7ffe"]}, "entry_points_by_type": {"CONSTRUCTOR": [{"offset": "0x6c", "selector": "0x28ffe4ff0f226a9107253e17a904099aa4f63a02a5621de0576e5aa71bc5194"}], "EXTERNAL": [{"offset": "0x9b", "selector": "0x0"}, {"offset": "0xd4", "selector": "0x21691762da057c1b71f851f9b709e0c143628acf6e0cbc9735411a65663d747"}], "L1_HANDLER": [{"offset": "0xb4", "selector": "0x0"}]}} |
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_block_traces/1_success.txt | {"traces": [{"validate_invocation": {"caller_address": "0x0", "contract_address": "0x36678cb4c42bcc85e763ae06f6d60568ca3e67376e4ff5cb83582deb37cb3e", "calldata": ["0x1", "0xa03e91d28a8a4ad0c4291b6dbd7bbd24b8149112f0e46485e2db0aa01556c4", "0x679c22735055a10db4f275395763a3752a1e3a3043c192299ab6b574fba8d6", "0x0", "0x0", "0x0"], "call_type": "CALL", "class_hash": "0x6f500f527355dfdb8093c7fe46e6f73c96a867392b49fa4157a757538928539", "selector": "0x162da33a4585851fe8d3af3c2a9c60b557814e221e0d4f30ff0b2189d9c7775", "entry_point_type": "EXTERNAL", "result": [], "execution_resources": {"n_steps": 89, "builtin_instance_counter": {"range_check_builtin": 2, "ecdsa_builtin": 1}, "n_memory_holes": 0}, "internal_calls": [], "events": [], "messages": []}, "function_invocation": {"caller_address": "0x0", "contract_address": "0x36678cb4c42bcc85e763ae06f6d60568ca3e67376e4ff5cb83582deb37cb3e", "calldata": ["0x1", "0xa03e91d28a8a4ad0c4291b6dbd7bbd24b8149112f0e46485e2db0aa01556c4", "0x679c22735055a10db4f275395763a3752a1e3a3043c192299ab6b574fba8d6", "0x0", "0x0", "0x0"], "call_type": "CALL", "class_hash": "0x6f500f527355dfdb8093c7fe46e6f73c96a867392b49fa4157a757538928539", "selector": "0x15d40a3d6ca2ac30f4031e42be28da9b056fef9bb7357ac5e85627ee876e5ad", "entry_point_type": "EXTERNAL", "result": [], "execution_resources": {"n_steps": 251, "builtin_instance_counter": {"range_check_builtin": 2, "ec_op_builtin": 1}, "n_memory_holes": 3}, "internal_calls": [{"caller_address": "0x36678cb4c42bcc85e763ae06f6d60568ca3e67376e4ff5cb83582deb37cb3e", "contract_address": "0xa03e91d28a8a4ad0c4291b6dbd7bbd24b8149112f0e46485e2db0aa01556c4", "calldata": [], "call_type": "CALL", "class_hash": "0x520055df3b08c3e304b88580bd0603cd35fc5def5eed68828ef012b01504baf", "selector": "0x679c22735055a10db4f275395763a3752a1e3a3043c192299ab6b574fba8d6", "entry_point_type": "EXTERNAL", "result": [], "execution_resources": {"n_steps": 110, "builtin_instance_counter": {"ec_op_builtin": 1}, "n_memory_holes": 0}, "internal_calls": [], "events": [], "messages": []}], "events": [], "messages": []}, "fee_transfer_invocation": {"caller_address": "0x36678cb4c42bcc85e763ae06f6d60568ca3e67376e4ff5cb83582deb37cb3e", "contract_address": "0x49d36570d4e46f48e99674bd3fcc84644ddd6b96f7c741b1562b82f9e004dc7", "calldata": ["0x46a89ae102987331d369645031b49c27738ed096f2789c24449966da4c6de6b", "0x5bdff4", "0x0"], "call_type": "CALL", "class_hash": "0xd0e183745e9dae3e4e78a8ffedcce0903fc4900beace4e0abf192d4c202da3", "selector": "0x83afd3f4caedc6eebf44246fe54e38c95e3179a5ec9ea81740eca5b482d12e", "entry_point_type": "EXTERNAL", "result": ["0x1"], "execution_resources": {"n_steps": 548, "builtin_instance_counter": {"pedersen_builtin": 4, "range_check_builtin": 21}, "n_memory_holes": 40}, "internal_calls": [{"caller_address": "0x36678cb4c42bcc85e763ae06f6d60568ca3e67376e4ff5cb83582deb37cb3e", "contract_address": "0x49d36570d4e46f48e99674bd3fcc84644ddd6b96f7c741b1562b82f9e004dc7", "calldata": ["0x46a89ae102987331d369645031b49c27738ed096f2789c24449966da4c6de6b", "0x5bdff4", "0x0"], "call_type": "DELEGATE", "class_hash": "0x28d7d394810ad8c52741ad8f7564717fd02c10ced68657a81d0b6710ce22079", "selector": "0x83afd3f4caedc6eebf44246fe54e38c95e3179a5ec9ea81740eca5b482d12e", "entry_point_type": "EXTERNAL", "result": ["0x1"], "execution_resources": {"n_steps": 488, "builtin_instance_counter": {"pedersen_builtin": 4, "range_check_builtin": 21}, "n_memory_holes": 40}, "internal_calls": [], "events": [], "messages": []}], "events": [], "messages": []}, "signature": ["0xa3817da85a5586fc36a3531d307007b4120b4621202155ddc656b61b9ae2a8", "0x162cd1712e5dcf275af2aaed19b0f885e5cc3a1a5a59ebe8d7cc2efa65175a2"], "transaction_hash": "0x7b3825a59bd8ee5ac0ea9b7c3b3226e4a360260ba4a1eb68ae0b2825abea6ab"}]} |
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_block/16_with_reverted_tx.txt | {"block_hash": "0x34e815552e42c5eb5233b99de2d3d7fd396e575df2719bf98e7ed2794494f86", "parent_block_hash": "0x3ae41b0f023e53151b0c8ab8b9caafb7005d5f41c9ab260276d5bdc49726279", "block_number": 1, "state_root": "0x74abfb3f55d3f9c3967014e1a5ec7205949130ff8912dba0565daf70299144c", "status": "ACCEPTED_ON_L1", "eth_l1_gas_price": "0x0", "strk_l1_gas_price": "0x0", "transactions": [{"transaction_hash": "0x782806917e338d148960fe9d801cabdf41c197d144db73cde4a16499321e2a", "version": "0x0", "contract_address": "0x30b81d3f0f4e2af48e211d9914d611422430cd6fac6a9df64136a6a879c1dc5", "contract_address_salt": "0x6030390b01fe79d844330de00821c68206959c389ef744b2d315e27078f0ad", "class_hash": "0x10455c752b86932ce552f2b0fe81a880746649b9aee7e0d842bf3f52378f9f8", "constructor_calldata": ["0x782142c3526899d48e6f1ce725f56b11cb462586c9f1340e4cfbcbebdd174f2", "0x7dee1fa95f31fd5ffb0ad1c3313aa51d82d66adfbb65efb982eae696c4309b7"], "type": "DEPLOY"}, {"transaction_hash": "0x7e845e48e9e9350f4f638ab145ab58346e767396aa84a5f9b695a27332f301b", "version": "0x0", "contract_address": "0x703283db9c320db759d02c5255af47be11ac2e2dca4a27bca92b407e25e063b", "contract_address_salt": "0x13b7e67ff6b2e1a5aac25134cc2765ea2a1bf36a7b94c92aa3fc4690978d1c5", "class_hash": "0x10455c752b86932ce552f2b0fe81a880746649b9aee7e0d842bf3f52378f9f8", "constructor_calldata": ["0x26a1e7e74188cbc724a793c972ad09d5aba110c4c06dfae51ae078b321e957", "0x461226574f9663500fc330295cea93b295389618c9eab30c3362fa14975d54c"], "type": "DEPLOY"}, {"transaction_hash": "0x5b99cc55d38c5dd909eeda916a2564364577a8d348b05c00de1419e1ff318e2", "version": "0x0", "contract_address": "0x3cafce8a34c9796e8f71209bcfcc2903dcad24b8d924944e88466b0cafd352", "contract_address_salt": "0x25c239a162c5a7ace888ca39f295aad52b75174952f4ea8f3afed13cde4490a", "class_hash": "0x10455c752b86932ce552f2b0fe81a880746649b9aee7e0d842bf3f52378f9f8", "constructor_calldata": ["0x1a315d6be5adafdd493b45672137525190b23b7f3a0ec91feafaa6ab48b0828", "0x24740a6b71ae76d658a1ec1efb6f201ba9794ebeed49ca59c0efe63f4a3cca2"], "type": "DEPLOY"}, {"transaction_hash": "0x53028e485df33f22d4a6cd3a539759bce78e940314906c3057d206b57d4ce3f", "version": "0x0", "max_fee": "0x0", "signature": [], "entry_point_selector": "0x19a35a6e95cb7a3318dbb244f20975a1cd8587cc6b5259f15f61d7beb7ee43b", "calldata": ["0x64ed79a8ebe97485d3357bbfdf5f6bea0d9db3b5f1feb6e80d564a179122dc6", "0x4e23b03fa17cab92b1fbcf15b4f6583736b7bef4be4d87559618265095adf32"], "contract_address": "0x7b196a359045d4d0c10f73bdf244a9e1205a615dbb754b8df40173364288534", "type": "INVOKE_FUNCTION"}], "timestamp": 1638978017, "transaction_receipts": [{"execution_status": "SUCCEEDED", "transaction_index": 0, "transaction_hash": "0x782806917e338d148960fe9d801cabdf41c197d144db73cde4a16499321e2a", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 29, "builtin_instance_counter": {"pedersen_builtin": 0, "range_check_builtin": 0, "bitwise_builtin": 0, "output_builtin": 0, "ecdsa_builtin": 0, "ec_op_builtin": 0}, "n_memory_holes": 0}, "actual_fee": "0x0"}, {"execution_status": "SUCCEEDED", "transaction_index": 1, "transaction_hash": "0x7e845e48e9e9350f4f638ab145ab58346e767396aa84a5f9b695a27332f301b", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 29, "builtin_instance_counter": {"pedersen_builtin": 0, "range_check_builtin": 0, "bitwise_builtin": 0, "output_builtin": 0, "ecdsa_builtin": 0, "ec_op_builtin": 0}, "n_memory_holes": 0}, "actual_fee": "0x0"}, {"execution_status": "SUCCEEDED", "transaction_index": 2, "transaction_hash": "0x5b99cc55d38c5dd909eeda916a2564364577a8d348b05c00de1419e1ff318e2", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 29, "builtin_instance_counter": {"pedersen_builtin": 0, "range_check_builtin": 0, "bitwise_builtin": 0, "output_builtin": 0, "ecdsa_builtin": 0, "ec_op_builtin": 0}, "n_memory_holes": 0}, "actual_fee": "0x0"}, {"execution_status": "SUCCEEDED", "transaction_index": 3, "transaction_hash": "0x53028e485df33f22d4a6cd3a539759bce78e940314906c3057d206b57d4ce3f", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 178, "builtin_instance_counter": {"pedersen_builtin": 0, "range_check_builtin": 0, "bitwise_builtin": 0, "output_builtin": 0, "ecdsa_builtin": 0, "ec_op_builtin": 0}, "n_memory_holes": 0}, "actual_fee": "0x0"}]} |
0 | repos/starknet-zig/src/core/test-data/raw_gateway_responses | repos/starknet-zig/src/core/test-data/raw_gateway_responses/get_block/15_declare_v2.txt | {"block_hash": "0x67d24961077de7a1f49b6b1da78903ee80217662d026c155e14d7abedc04034", "parent_block_hash": "0x3b7f89c33765c069bf208fef2d4e7df7b0675bbd55d79ac404767b0a7321a10", "block_number": 283364, "state_root": "0x16faa4c43f71b49facab6b0585094195c989ea6168e69f235fdcef86428cd42", "status": "ACCEPTED_ON_L1", "eth_l1_gas_price": "0x2c9480b720", "strk_l1_gas_price": "0x0", "transactions": [{"transaction_hash": "0x7dc35a7ebf3601ad36a1050d7d4e3db755702d2f90250f6d78d545ba369bd0a", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x5f6e7ac6c9093079d4d9df10e453efe3225693343b936e00e3f5be48efe893b", "0x4f3d99dd247af4fd815e9cbd8df605f956a05547b02ccb696a9223d7176e298"], "nonce": "0xa", "sender_address": "0x52125c1e043126c637d1436d9551ef6c4f6e3e36945676bbd716a56e3a41b7a", "calldata": ["0x1", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x12ead94ae9d3f9d2bdb6b847cf255f1f398193a1f88884a0ae8e18f24a037b6", "0x0", "0x1", "0x1", "0x88dceacb9d2ffe56eece1f54dc1919cdc2ebac47"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x5d6bc25ac6724cf96c328f791616c1aa05f35ef823299f6b690c63de390d759", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x189884c2e3f90f8ca6f575de70c7856e2a6129975a926bc5263096a4b6b4c93", "0x29dc24752411aae197df94803e6f44140e5b692b6182be48a8809df39430f5c"], "nonce": "0xb", "sender_address": "0x52125c1e043126c637d1436d9551ef6c4f6e3e36945676bbd716a56e3a41b7a", "calldata": ["0x1", "0x24dbaeb7bf551b2e6c403957a5e4c1b19596c2d6b9c77d677ed85af73007fc", "0x3d7905601c217734671143d457f0db37f7f8883112abd34b92c4abfeafde0c3", "0x0", "0x2", "0x2", "0x1469414c13009d9841e8cf4d8abd32ae6d59fe66c8e555271dc2231f45c7a6d", "0x1c0f34928344fecbeed32e6087bd0c8ec049c1f33b6b115568f2b11c94a9ab6"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x4f0bb5862a1c8740a014ba6905ef51641cb2735ba7b66546ecbb3819b540129", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x405c726fded746ecf651bf45b983544c87a5dbcfcc82bce5470ebcd13a31b7d", "0x3911487a9ae3ee542e6cfad8fdd07bc27c4ef16688713fd8c311be0b5871249"], "nonce": "0xc", "sender_address": "0x52125c1e043126c637d1436d9551ef6c4f6e3e36945676bbd716a56e3a41b7a", "calldata": ["0x1", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x3d7905601c217734671143d457f0db37f7f8883112abd34b92c4abfeafde0c3", "0x0", "0x2", "0x2", "0x6bfbb0f2bdec6f6e4a6eb5de2bfad5722a48bbcf7db16dbb361edf1b15eaa65", "0x5a887e8eea583dd5ffa62dff9a127c2b851c63d40d6694932143fa7d30ee"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x722b666ce83ec69c18190aae6149f79e6ad4b9c051b171cc6c309c9e0c28129", "version": "0x2", "max_fee": "0x38d7ea4c68000", "signature": ["0x6f3070288fb33359289f5995190c1074de5ff00d181b1a7d6be87346d9957fe", "0x4ab2d251d18a75f8e1ad03aba2a77bd3d978abf571dc262c592fb07920dc50d"], "nonce": "0x1", "class_hash": "0x4e70b19333ae94bd958625f7b61ce9eec631653597e68645e13780061b2136c", "compiled_class_hash": "0x711c0c3e56863e29d3158804aac47f424241eda64db33e2cc2999d60ee5105", "sender_address": "0x2fd67a7bcca0d984408143255c41563b14e6c8a0846b5c9e092e7d56cf1a862", "type": "DECLARE"}, {"transaction_hash": "0x159646f465579273f24e64206d35924f9864b4d080bc87335970a6bc943d8e7", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x461c362598dbf21382fa449b8e48b2dcd65aecfc300138bc567305507102019", "0x4906840e5011243798c2d97f86c31a44271f584138294d473500184c402d9f9"], "nonce": "0x4", "sender_address": "0x733dead6027a46717d7e79be28bf059bb8f5b02db2854c742ff652392d94506", "calldata": ["0x1", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x169f135eddda5ab51886052d777a57f2ea9c162d713691b5e04a6d4ed71d47f", "0x0", "0x5", "0x5", "0x4631b6b3fa31e140524b7d21ba784cea223e618bffe60b5bbdca44a8b45be04", "0x5406259a8ebc73b0b15b9d036530ccebe1510ad4c4e497470a20a33322a83a5", "0x2", "0x633cce43561d71b1f82035f5f0af626da6b22bea7a0ff9f942a6fd4f039fe51", "0x126a5919e999f9195ae166f349429f050380f691fc4ea5b2f4d8585d050bf12"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x64e399ffac3fb93fc4ca13dbeb5de7034fc6c6604fdb575b5cc2990a7642b9f", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x20225295ba412d6010fb5374d2c520ba76e13518150b0d3c3104eefcca6d478", "0x436758380e377381057c0cffb8678f879a05310ff4a6173d0ce975594160cfa"], "nonce": "0x5", "sender_address": "0x733dead6027a46717d7e79be28bf059bb8f5b02db2854c742ff652392d94506", "calldata": ["0x1", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x12ead94ae9d3f9d2bdb6b847cf255f1f398193a1f88884a0ae8e18f24a037b6", "0x0", "0x1", "0x1", "0xf21ae0bbafccd3e11e0206f4b1dfa2ed5b6131a4"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x1a8a02e2d141b7701f72302f6032d66199b86ff6ce62588cdc3de0dea42fa42", "version": "0x1", "max_fee": "0x16976e40cd091", "signature": ["0x4f3a131d7ea1dc697c05715dfa1119c584141612d66ca7840998b9762cd3056", "0x7afaae13c021d96001575f051d38c0db2cc4187fc65cf04ae36a09c2d2c6547"], "nonce": "0x2", "sender_address": "0x2fd67a7bcca0d984408143255c41563b14e6c8a0846b5c9e092e7d56cf1a862", "calldata": ["0x1", "0x2fd67a7bcca0d984408143255c41563b14e6c8a0846b5c9e092e7d56cf1a862", "0x2730079d734ee55315f4f141eaed376bddd8c2133523d223a344c5604e0f7f8", "0x0", "0x4", "0x4", "0x4e70b19333ae94bd958625f7b61ce9eec631653597e68645e13780061b2136c", "0x66ab46b3e2dfa3581ccc442059bd629d11547d834c85170e08bf45caf1d6c21", "0x0", "0x0"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x6cedd13f84d1a3de319771023b70fa8227738c77a6f53885d2c5cbe923e7e9c", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0xa0db9be3f5f0e11cb0ab80206078e9d6f9578ea11d3c133daae9c28b06e025", "0x1a1651e6352819f3b6010840917f4f901600b8d016e79df7cf749df99e11b3e"], "nonce": "0xd", "sender_address": "0x52125c1e043126c637d1436d9551ef6c4f6e3e36945676bbd716a56e3a41b7a", "calldata": ["0x1", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x7772be8b80a8a33dc6c1f9a6ab820c02e537c73e859de67f288c70f92571bb", "0x0", "0x3", "0x3", "0x355fe760e42a88280d47a4031ec2fb6ad65347bdcec440b4b7104f69a588850", "0x69deb1aaf37c520b687dfa5e23b60d10822ac65875446c2f3a26d9251f12e93", "0x1c65c2f72ab9a8589d1594e4c367a499d663af5de0184d387af8f5009048a31"], "type": "INVOKE_FUNCTION"}, {"transaction_hash": "0x22b9c9549eaa5b684262aaa4d18ce3df7249ec5c72038d09f628ff879c2d62", "version": "0x1", "max_fee": "0x2386f26fc10000", "signature": ["0x5d0e4b17b6dbbdeaca6bd3dfa52a422b2ffd0b84a49b07088cb397f0ca38413", "0x499961797e6ea9aca6515e30623f52497929942bb943dc95dc2bae8541e29c"], "nonce": "0xe", "sender_address": "0x52125c1e043126c637d1436d9551ef6c4f6e3e36945676bbd716a56e3a41b7a", "calldata": ["0x1", "0x24dbaeb7bf551b2e6c403957a5e4c1b19596c2d6b9c77d677ed85af73007fc", "0x218f305395474a84a39307fa5297be118fe17bf65e27ac5e2de6617baa44c64", "0x0", "0x2", "0x2", "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "0x1"], "type": "INVOKE_FUNCTION"}], "timestamp": 1677079834, "sequencer_address": "0x46a89ae102987331d369645031b49c27738ed096f2789c24449966da4c6de6b", "transaction_receipts": [{"execution_status": "SUCCEEDED", "transaction_index": 0, "transaction_hash": "0x7dc35a7ebf3601ad36a1050d7d4e3db755702d2f90250f6d78d545ba369bd0a", "l2_to_l1_messages": [{"from_address": "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "to_address": "0x88DCEacB9D2FFe56EeCe1F54dC1919CDC2eBAc47", "payload": ["0xc", "0x22"]}], "events": [], "execution_resources": {"n_steps": 173, "builtin_instance_counter": {"range_check_builtin": 2}, "n_memory_holes": 3}, "actual_fee": "0x14017c6b2dea40"}, {"execution_status": "SUCCEEDED", "transaction_index": 1, "transaction_hash": "0x5d6bc25ac6724cf96c328f791616c1aa05f35ef823299f6b690c63de390d759", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 167, "builtin_instance_counter": {"range_check_builtin": 2}, "n_memory_holes": 3}, "actual_fee": "0x286c27360be40"}, {"execution_status": "SUCCEEDED", "transaction_index": 2, "transaction_hash": "0x4f0bb5862a1c8740a014ba6905ef51641cb2735ba7b66546ecbb3819b540129", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 167, "builtin_instance_counter": {"range_check_builtin": 2}, "n_memory_holes": 3}, "actual_fee": "0x286c27360be40"}, {"execution_status": "SUCCEEDED", "transaction_index": 3, "transaction_hash": "0x722b666ce83ec69c18190aae6149f79e6ad4b9c051b171cc6c309c9e0c28129", "l2_to_l1_messages": [], "events": [], "actual_fee": "0xd9d9b0fee160"}, {"execution_status": "SUCCEEDED", "transaction_index": 4, "transaction_hash": "0x159646f465579273f24e64206d35924f9864b4d080bc87335970a6bc943d8e7", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 229, "builtin_instance_counter": {"range_check_builtin": 3}, "n_memory_holes": 5}, "actual_fee": "0x2f2e6af9cf6e0"}, {"execution_status": "SUCCEEDED", "transaction_index": 5, "transaction_hash": "0x64e399ffac3fb93fc4ca13dbeb5de7034fc6c6604fdb575b5cc2990a7642b9f", "l2_to_l1_messages": [{"from_address": "0x22fa2a6e1854e136bca7a60fa841bd0e7ae9f86320ea941db6da2ec53145265", "to_address": "0xf21aE0BbafCCD3E11E0206f4B1DFa2ed5b6131A4", "payload": ["0xc", "0x22"]}], "events": [], "execution_resources": {"n_steps": 173, "builtin_instance_counter": {"range_check_builtin": 2}, "n_memory_holes": 3}, "actual_fee": "0x14017c6b2dea40"}, {"execution_status": "SUCCEEDED", "transaction_index": 6, "transaction_hash": "0x1a8a02e2d141b7701f72302f6032d66199b86ff6ce62588cdc3de0dea42fa42", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 218, "builtin_instance_counter": {"range_check_builtin": 3}, "n_memory_holes": 5}, "actual_fee": "0x1489aa0c5d4e0"}, {"execution_status": "SUCCEEDED", "transaction_index": 7, "transaction_hash": "0x6cedd13f84d1a3de319771023b70fa8227738c77a6f53885d2c5cbe923e7e9c", "l2_to_l1_messages": [], "events": [], "execution_resources": {"n_steps": 318, "builtin_instance_counter": {"pedersen_builtin": 2, "range_check_builtin": 8, "bitwise_builtin": 2}, "n_memory_holes": 25}, "actual_fee": "0x35c6e384e74a0"}, {"execution_status": "SUCCEEDED", "transaction_index": 8, "transaction_hash": "0x22b9c9549eaa5b684262aaa4d18ce3df7249ec5c72038d09f628ff879c2d62", "l2_to_l1_messages": [{"from_address": "0x24dbaeb7bf551b2e6c403957a5e4c1b19596c2d6b9c77d677ed85af73007fc", "to_address": "0x0000000000000000000000000000000000000001", "payload": ["0xc", "0x22"]}], "events": [], "execution_resources": {"n_steps": 478, "builtin_instance_counter": {"range_check_builtin": 2}, "n_memory_holes": 3}, "actual_fee": "0x175b7a84725b20"}], "starknet_version": "0.11.0"} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.