Skip to main content

Overview

Limit orders let you specify both the sell and buy amounts, creating an order that only executes at your desired price or better. Unlike the swap_tokens function which gets a market quote, limit orders give you precise control over the exchange rate.
Limit orders remain in the order book until filled, cancelled, or expired. Set valid_to to control how long the order stays active.

Prerequisites

Before creating limit orders, ensure you have:

Basic Limit Order

To create a limit order, construct an Order with explicit sell_amount and buy_amount, sign it, and submit it to the OrderBook API:
import asyncio
import time
from web3 import Account, Web3
from cowdao_cowpy.common.chains import Chain
from cowdao_cowpy.common.config import SupportedChainId
from cowdao_cowpy.contracts.order import Order, OrderKind
from cowdao_cowpy.cow.swap import sign_order
from cowdao_cowpy.order_book.api import OrderBookApi
from cowdao_cowpy.order_book.config import OrderBookAPIConfigFactory
from cowdao_cowpy.order_book.generated.model import OrderCreation, SigningScheme

# Setup
account = Account.from_key("YOUR_PRIVATE_KEY")

# Token addresses (Mainnet)
WETH = Web3.to_checksum_address("0xC02aaA39b223FE8D0A0e5C4F27eAD9083C756Cc2")
USDC = Web3.to_checksum_address("0xA0b86991c6218b36c1d19D4a2e9Eb0cE3606eB48")

# Limit order: sell 1 WETH for at least 3000 USDC
order = Order(
    sell_token=WETH,
    buy_token=USDC,
    sell_amount=str(10**18),          # 1 WETH (18 decimals)
    buy_amount=str(3000 * 10**6),     # 3000 USDC (6 decimals)
    kind=OrderKind.SELL.value,
    valid_to=int(time.time()) + 86400,  # 24 hours
    fee_amount="0",
    partially_fillable=False,
    sell_token_balance="erc20",
    buy_token_balance="erc20",
    receiver=account.address,
    app_data="0x0000000000000000000000000000000000000000000000000000000000000000",
)

# Sign the order
signature = sign_order(Chain.MAINNET, account, order)

async def main():
    api = OrderBookApi(
        OrderBookAPIConfigFactory.get_config("prod", SupportedChainId.MAINNET)
    )

    order_creation = OrderCreation(
        from_=account.address,
        sellToken=order.sell_token,
        buyToken=order.buy_token,
        sellAmount=order.sell_amount,
        buyAmount=order.buy_amount,
        validTo=order.valid_to,
        feeAmount="0",
        kind=order.kind,
        partiallyFillable=order.partially_fillable,
        sellTokenBalance=order.sell_token_balance,
        buyTokenBalance=order.buy_token_balance,
        receiver=order.receiver,
        appData=order.app_data,
        signingScheme=SigningScheme.eip712,
        signature=signature,
    )

    order_uid = await api.post_order(order_creation)
    print(f"Limit order created: {order_uid}")

asyncio.run(main())

Calculating Limit Prices

The limit price is determined by the ratio of sell_amount to buy_amount. You specify both amounts explicitly:
# Sell 1 WETH for at least 3000 USDC
# Effective price: 3000 USDC/WETH
order = Order(
    sell_token=WETH,
    buy_token=USDC,
    sell_amount=str(1 * 10**18),       # 1 WETH
    buy_amount=str(3000 * 10**6),      # 3000 USDC
    kind=OrderKind.SELL.value,
    # ...
)
# Buy 1 WETH for at most 2900 USDC
# Effective price: 2900 USDC/WETH
order = Order(
    sell_token=USDC,
    buy_token=WETH,
    sell_amount=str(2900 * 10**6),     # 2900 USDC
    buy_amount=str(1 * 10**18),        # 1 WETH
    kind=OrderKind.BUY.value,
    # ...
)
Price calculation:
  • Limit price = buyAmount / sellAmount (in token units, adjusted for decimals)
  • The order fills only when the market reaches your price or better

Order Kinds

Sell orders guarantee you receive at least the specified buy_amount for your sell_amount:
order = Order(
    kind=OrderKind.SELL.value,
    sell_amount=str(1 * 10**18),      # Selling exactly 1 WETH
    buy_amount=str(3000 * 10**6),     # Must receive at least 3000 USDC
    # ...
)
Use case: “I want to sell 1 WETH and receive at least 3000 USDC”

Using a Quote as Price Reference

You can fetch a market quote first and adjust the price to set your limit:
from cowdao_cowpy.order_book.generated.model import (
    OrderQuoteRequest,
    OrderQuoteSide1,
)

async def limit_order_from_quote():
    api = OrderBookApi(
        OrderBookAPIConfigFactory.get_config("prod", SupportedChainId.MAINNET)
    )

    # Get current market quote
    quote = await api.post_quote(
        OrderQuoteRequest(
            sellToken=WETH,
            buyToken=USDC,
            from_=account.address,
        ),
        OrderQuoteSide1(
            sellAmountBeforeFee=str(10**18),  # 1 WETH
        ),
    )

    # Set limit price 5% above market (better price for seller)
    market_buy_amount = int(quote.quote.buyAmount)
    limit_buy_amount = int(market_buy_amount * 1.05)

    order = Order(
        sell_token=WETH,
        buy_token=USDC,
        sell_amount=str(10**18),
        buy_amount=str(limit_buy_amount),
        kind=OrderKind.SELL.value,
        valid_to=int(time.time()) + 7 * 86400,  # 7 days
        fee_amount="0",
        partially_fillable=False,
        sell_token_balance="erc20",
        buy_token_balance="erc20",
        receiver=account.address,
        app_data="0x0000000000000000000000000000000000000000000000000000000000000000",
    )

    signature = sign_order(Chain.MAINNET, account, order)

    order_creation = OrderCreation(
        from_=account.address,
        sellToken=order.sell_token,
        buyToken=order.buy_token,
        sellAmount=order.sell_amount,
        buyAmount=order.buy_amount,
        validTo=order.valid_to,
        feeAmount="0",
        kind=order.kind,
        partiallyFillable=order.partially_fillable,
        sellTokenBalance=order.sell_token_balance,
        buyTokenBalance=order.buy_token_balance,
        receiver=order.receiver,
        appData=order.app_data,
        signingScheme=SigningScheme.eip712,
        signature=signature,
    )

    order_uid = await api.post_order(order_creation)
    print(f"Limit order (5% above market): {order_uid}")

Partially Fillable Orders

For large orders, enable partial fills to allow incremental execution:
order = Order(
    sell_token=WETH,
    buy_token=USDC,
    sell_amount=str(10 * 10**18),      # 10 WETH
    buy_amount=str(30000 * 10**6),     # 30000 USDC
    kind=OrderKind.SELL.value,
    partially_fillable=True,            # Allow partial fills
    valid_to=int(time.time()) + 7 * 86400,
    fee_amount="0",
    sell_token_balance="erc20",
    buy_token_balance="erc20",
    receiver=account.address,
    app_data="0x0000000000000000000000000000000000000000000000000000000000000000",
)
Partially fillable orders may execute in multiple transactions over time. Use the OrderBookApi to track fill progress.

When Will My Order Fill?

Limit orders fill when the market price reaches your specified rate or better. Unlike swap_tokens which executes immediately at the current market price, limit orders may take hours, days, or never fill if the market doesn’t reach your target. Behind the scenes, solvers continuously check whether your order is profitable to execute. Once the on-chain price moves to meet (or beat) your limit, a solver will include your order in a batch and settle it.
Fetch a market quote with api.post_quote() to see the current price before placing your limit order. This helps you set a realistic limit relative to where the market is right now. See Using a Quote as Price Reference above.

Monitoring Your Order

After submitting a limit order, you can check its status at any time:
order = await api.get_order_by_uid(order_uid)
print(f"Status: {order.status}")
The status field will be one of:
  • open — the order is active and waiting to be filled
  • fulfilled — the order has been completely filled
  • cancelled — the order was cancelled by the owner
  • expired — the order passed its valid_to timestamp without being filled
For partially fillable orders, inspect executedSellAmount and executedBuyAmount to see how much has been filled so far:
order = await api.get_order_by_uid(order_uid)
print(f"Executed sell: {order.executedSellAmount}")
print(f"Executed buy: {order.executedBuyAmount}")
To cancel an open order:
await api.delete_order(order_uid, cancel_signature, signing_scheme)
For the full set of order management operations, see Managing Orders.

Custom App Data

Add metadata to identify your application or configure partner fees:
from cowdao_cowpy.app_data.utils import generate_app_data

app_data_result = generate_app_data(
    app_code="my-limit-order-bot",
)

order = Order(
    # ... token parameters ...
    app_data=app_data_result.app_data_hash.root,
)
See the App Data guide for advanced metadata options including partner fees and order class configuration.

Comparing Swap vs Limit Orders

Featureswap_tokensManual Limit Order
PriceCurrent market price (via quote)Your specified price
AmountsSell amount onlyBoth sell AND buy amounts
ExecutionImmediate (if liquidity exists)When price target is reached
SlippageApplied automaticallyControlled by your price
ComplexitySingle function callBuild, sign, and submit order

Best Practices

  1. Set realistic prices — orders too far from market may never fill
  2. Use valid_to wisely — set appropriate expiration for your strategy
  3. Consider partial fills — for large orders, partial fills improve execution
  4. Monitor order status — check if your order has been filled or partially filled using Managing Orders
  5. Token approvals — ensure the Vault Relayer has sufficient allowance before submitting

Troubleshooting

ProblemLikely causeFix
InsufficientAllowance errorVault Relayer not approvedApprove the sell token first (see Token Approval Flow)
InsufficientBalance errorNot enough sell tokenEnsure balance covers sell_amount
Order never fillsLimit price too far from marketFetch a quote to check current market price
Order fills at better price than limitSolvers found surplusExpected — CoW Protocol gives you price improvement
TooManyLimitOrders errorRate limit on open ordersCancel old orders first

Next Steps

  • Learn about Managing Orders to track and cancel limit orders
  • Explore TWAP Orders for time-weighted average price execution
  • See App Data for custom metadata and partner fees
Last modified on March 18, 2026