polymarket proxy wallet redeem
Project description
poly-position-watcher
Overview
poly-position-watcher focuses on real-time position and order monitoring:
- WSS real-time tracking for
TRADEandORDER(positions + orders) - HTTP polling fallback for reliability
- Optional fee calculation using market
feeSchedule - Position fields for fill checks:
size(post-fee net size),original_size(pre-fee net size),sellable_size(on-chain confirmed size),fee_amount(accumulated fee amount) - Failed trades are detected and returned on positions (
has_failed,failed_trades)
Note: WSS disconnects are auto-detected and reconnected.
Installation
pip install poly-position-watcher
# pip install poly-position-watcher --index-url https://pypi.org/simple
If installing from source, clone this repo and run pip install -e ..
Quick start
from py_clob_client.client import ClobClient
from poly_position_watcher import PositionWatcherService, OrderMessage, UserPosition
client = ClobClient(
base_url="https://clob.polymarket.com",
key="<wallet-key>",
secret="<wallet-secret>",
)
with PositionWatcherService(
client=client,
init_positions=True, # Initialize positions via official API
enable_http_fallback=True, # Enable HTTP polling fallback
add_init_positions_to_http=True, # Auto-add condition_ids from init positions to HTTP monitoring
enable_fee_calc=True, # Optional: enable fee adjustments
) as service:
service.set_market_fee_schedule(
"<condition_id>",
{"rate": 0.0175, "exponent": 1, "takerOnly": True, "rebateRate": 0.25},
)
# Non-blocking: Get current positions and orders (returns immediately)
position: UserPosition = service.get_position("<token_id>")
order: OrderMessage = service.get_order("<order_id>")
print(position)
print(order)
if position:
print("size(post-fee):", position.size)
print("size(pre-fee):", position.original_size)
print("fee_amount:", position.fee_amount)
service.show_positions(limit=10)
service.show_orders(limit=10)
# Blocking: Wait for position/order updates (with timeout)
position: UserPosition = service.blocking_get_position("<token_id>", timeout=5)
order: OrderMessage = service.blocking_get_order("<order_id>", timeout=3)
print(position)
print(order)
# Optional: If you open new positions/orders and want to monitor them via HTTP fallback
# service.add_http_listen(market_ids=["<condition_id>"], order_ids=["<order_id>"])
# service.remove_http_listen(market_ids=["<condition_id>"], order_ids=["<order_id>"])
# service.clear_http() # Clear all monitoring items, threads continue running
Important:
- When
enable_fee_calc=True, you must register market fee metadata withset_market_fee_schedule(...)orset_market_fee_schedules(...). get_position()does not fetch/marketsautomatically.- If a market is missing
feeSchedule, fee calculation is skipped for that market and a warning is logged once.
Example output:
OrderMessage(
type: 'update',
event_type: 'order',
asset_id: '7718951783559279583290056782453440...',
associate_trades: ['8bf02a75-5...'],
id: '0x74a71abb9efe59c994e0...',
market: '0x3b7e9926575eb7fae2...',
order_owner: None,
original_size: 37.5,
outcome: 'Up',
owner: '',
price: 0.52,
side: 'BUY',
size_matched: 37.5,
timestamp: 0.0,
filled: True,
status: 'MATCHED',
created_at: datetime.datetime(2025, 12, 8, 9, 44, 50, tzinfo=TzInfo(0))
)
UserPosition(
price: 0.0,
size: 0.0,
original_size: 0.0,
volume: 0.0,
fee_amount: 0.0,
sellable_size: 0.0,
token_id: '',
last_update: 0.0,
market_id: None,
outcome: None,
created_at: None,
has_failed: False,
failed_trades: []
)
Full example (examples/example.py)
Pretty printing
service.show_positions(limit=10)
service.show_orders(limit=10)
⚠️ Fee notice (taker fee / maker rebate)
Some Polymarket markets enable taker fee / maker rebate. This library supports fee calculation from market feeSchedule data:
- Enable with
enable_fee_calc=True - Register
condition_id -> feeSchedulethroughservice.set_market_fee_schedule(...)orservice.set_market_fee_schedules(...) - This registration step is required if you want fee-aware positions; the watcher does not auto-fetch
/markets - Optionally override the fee handler with
fee_calc_fn - Disable (default) if you prefer pre-fee positions
- Returned position fields:
size= post-fee net size,original_size= pre-fee net size,fee_amount= accumulated fee amount
Default fee formula (when fee_calc_fn is not provided):
fee = size * price * rate * (price * (1 - price)) ** exponent.
On taker buys, the fee is deducted in shares, so size is reduced by fee / price.
On taker sells, the fee is charged in USDC, so position size is unchanged and only fee_amount increases.
Position Initialization
When init_positions=True, the service will:
- Fetch current positions via the official Polymarket API (
/positions) - Create fake trades from position data to maintain compatibility with existing trade-based calculations
- Skip positions with
currentValue = 0(empty positions) - Optionally add condition IDs to HTTP monitoring if
add_init_positions_to_http=True
The HTTP fallback polling threads run persistently throughout the with statement lifecycle. You can dynamically add/remove markets and orders without restarting threads.
Note: If you start the watcher before any positions exist, set
init_positions=False. The HTTP fallback can be enabled independently and will start with empty monitoring sets if needed.
Configuration
Service Parameters
| Parameter | Type | Default | Description |
|---|---|---|---|
init_positions |
bool | False | Initialize positions via official Polymarket API on startup |
enable_http_fallback |
bool | False | Enable persistent HTTP polling threads as WebSocket fallback |
http_poll_interval |
float | 3.0 | HTTP polling interval in seconds |
add_init_positions_to_http |
bool | False | Automatically add condition IDs from initialized positions to HTTP monitoring |
enable_fee_calc |
bool | False | Apply fee adjustments using registered market feeSchedule data |
market_fee_schedules |
mapping | None | Optional initial condition_id -> feeSchedule mapping |
fee_calc_fn |
callable | None | Custom fee function: (size, price, side, fee_schedule) -> (new_size, fee_amount) |
Environment Variables
| Environment variable | Description |
|---|---|
poly_position_watcher_LOG_LEVEL |
Log level, default INFO |
To set a proxy for WebSocket connections, build a dict before creating PositionWatcherService and pass it as wss_proxies:
PROXY = {"http_proxy_host": "127.0.0.1", "http_proxy_port": 7890}
service = PositionWatcherService(client, wss_proxies=PROXY)
Dependencies
Layout
poly_position_watcher/
├── api_worker.py # HTTP backfill and context management
├── position_service.py # Core entry; maintains position/order caches
├── trade_calculator.py # Position calculation utils
├── wss_worker.py # WebSocket client implementation
├── common/ # Logging and enums
└── schema/ # Pydantic models
License
MIT
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file poly_position_watcher-0.3.1.tar.gz.
File metadata
- Download URL: poly_position_watcher-0.3.1.tar.gz
- Upload date:
- Size: 30.4 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.11.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
8e835d29bfbf2e7a1e9738c354f722ecc2f131a5e4c8d9fbcb9e13bbbdce925d
|
|
| MD5 |
4f6843929588f60c2dc252c0b18aa693
|
|
| BLAKE2b-256 |
57b4eb45ceed7b54085a3810b2947b36f357dbc4bbf5718399e35d143c6835de
|
File details
Details for the file poly_position_watcher-0.3.1-py3-none-any.whl.
File metadata
- Download URL: poly_position_watcher-0.3.1-py3-none-any.whl
- Upload date:
- Size: 29.7 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.2.0 CPython/3.11.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
6c1f02e9434fff7be70dd52761c8d88c27941f21f12ee97bb8ef0b8a7275e644
|
|
| MD5 |
3b7b94a381ce215c15724aacbdb24c26
|
|
| BLAKE2b-256 |
1ef593bdbf6331d6ddec2fd36d6785287887625b8ef17078445905dfd35db427
|