This document provides a high-level overview of the DEXBot2 architecture, module relationships, and key data flows.
For practical development guidance, see developer_guide.md for quick start, glossary, module deep dive, and common development tasks.
DEXBot2 is a grid trading bot for the BitShares blockchain. It maintains a geometric grid of limit orders that automatically rebalance as the market moves, capturing profit from price oscillations.
- Grid: A geometric array of price levels with orders placed at each level
- Spread Zone: A buffer of empty slots between buy and sell orders (constant width)
- Order States: VIRTUAL (planned) → ACTIVE (on-chain) → PARTIAL (partially filled)
- Fund Tracking: Atomic accounting system preventing race conditions and overdrafts
DEXBot2 prioritizes simplicity and operational efficiency over complex partial-handling mechanics:
- Constant Spread: The spread zone width remains fixed at
targetSpreadPercent, eliminating dynamic inflation triggers. - Direct Consolidation: Dust partials are absorbed into the next grid rebuild cycle, not handled by complex merge/split logic.
- Minimal Blockchain Interaction: Fund-driven rebalancing occurs once per fill batch, not per-partial. Grid generation uses only available funds—no forced allocations.
- Closed-Loop Market Dynamics: The boundary-crawl mechanism naturally handles price movement and fill flows without special-case logic.
- Powerful Maintenance Tools: Periodic grid regeneration, recovery retries, and fund invariant verification keep the system healthy over long operations.
The diagram below shows DEXBot2 from a data perspective: what data enters the system, how it moves through each engine, and what leaves as blockchain operations or persisted state.
flowchart TD
subgraph IN["INPUTS"]
CFG["bots.json<br/>(grid params, funds, pair)"]
GS["general.settings.json<br/>(timing, thresholds)"]
KEYS["keys.json AES encrypted<br/>+ interactive unlock / one-shot local bootstrap"]
PERSIST["orders/botKey.json<br/>grid snapshot,<br/>feesOwed, boundaryIdx"]
FILLEV["Fill Events real-time<br/>BitShares block op-4"]
OPENORD["Open Orders polling<br/>chain open-order list"]
BALANCES["Account Balances<br/>FREE + COMMITTED assets"]
PRICE["Market Price<br/>pool or order-book"]
end
subgraph BOOT["BOOTSTRAP — once at startup"]
AUTH["Credential Daemon<br/>Decrypt private key"]
ASSETMETA["Asset Metadata<br/>precision, fees, IDs"]
INITGRID["Initial Grid<br/>geometric price levels<br/>order sizes per side"]
end
subgraph ENGINE["CORE ENGINE — OrderManager"]
MASTERGRID["Master Grid — immutable/frozen<br/>slot-id, price, size, state<br/>orderId, blockchain, grid, proceeds"]
TWOPASS["SyncEngine<br/>2-pass: grid-to-chain then chain-to-grid<br/>match orderId, detect partials, flag stale"]
FUNDS["Accounting — SSOT for funds<br/>available, virtual, committed<br/>btsFeesOwed<br/>Avail = max 0 ChainFree minus Virtual minus Fees"]
TARGET["Strategy Engine<br/>calculateTargetGrid<br/>boundary-crawl pivot<br/>partial-fill consolidation, rotation"]
WORKGRID["WorkingGrid — COW copy<br/>all mutations here only<br/>commit to Master on confirmation"]
FILLQUEUE["Fill Queue<br/>AsyncLock + dedup 5-60 min"]
BATCHER["Fixed-Cap Batcher<br/>queue <= cap: unified batch<br/>queue > cap: chunk at cap size<br/>default cap: 4"]
end
subgraph OUT["OUTPUTS"]
OPS["Blockchain Operations<br/>CREATE / UPDATE / CANCEL<br/>limit orders on BitShares"]
SNAP["Grid Snapshot<br/>profiles/orders/botKey.json"]
LOGS["Logs and Metrics<br/>profiles/logs/botName.log<br/>queue depth, latency, health"]
end
KEYS --> AUTH --> ASSETMETA
CFG --> INITGRID
GS --> INITGRID
ASSETMETA --> INITGRID
PERSIST --> MASTERGRID
INITGRID --> MASTERGRID
PRICE --> FUNDS
BALANCES --> FUNDS
BALANCES --> TWOPASS
OPENORD --> TWOPASS
TWOPASS --> FUNDS
TWOPASS --> MASTERGRID
FILLEV --> FILLQUEUE
OPENORD --> FILLQUEUE
FILLQUEUE --> BATCHER
BATCHER --> WORKGRID
MASTERGRID --> WORKGRID
FUNDS --> TARGET
WORKGRID --> TARGET
TARGET --> WORKGRID
WORKGRID --> OPS
OPS --> MASTERGRID
MASTERGRID --> SNAP
FUNDS --> LOGS
BATCHER --> LOGS
OPS --> LOGS
| Principle | Mechanism |
|---|---|
| Immutability | Master Grid is frozen; all changes go through a disposable WorkingGrid (Copy-on-Write) |
| Single Source of Truth | Accounting engine owns all fund data; everything reads from it |
| Event-driven + Polling | Fill Events (real-time) and Open-Order polling feed the same queue |
| Adaptive throughput | Batcher scales 1–4 operations per broadcast based on queue depth |
| Persistence | Grid snapshot written after every confirmed blockchain commit |
graph TB
subgraph "Entry Points"
CLI[dexbot.js]
BOT[bot.js]
PM2[pm2.js]
end
subgraph "Core Bot"
DEXBOT[DexBotClass<br/>modules/dexbot_class.js]
CONSTANTS[Constants<br/>modules/constants.js]
end
subgraph "Order Management System"
MANAGER[OrderManager<br/>modules/order/manager.js]
subgraph "Specialized Engines"
ACCOUNTANT[Accountant<br/>accounting.js]
STRATEGY[StrategyEngine<br/>strategy.js]
SYNC[SyncEngine<br/>sync_engine.js]
GRID[Grid<br/>grid.js]
end
UTILS[Utils<br/>utils/]
LOGGER[Logger<br/>logger.js]
RUNNER[Runner<br/>runner.js]
end
subgraph "Blockchain Layer"
CHAIN_ORDERS[ChainOrders<br/>modules/chain_orders.js]
ACCOUNT_ORDERS[AccountOrders<br/>modules/account_orders.js]
ACCOUNT_BOTS[AccountBots<br/>modules/account_bots.js]
end
CLI --> DEXBOT
BOT --> DEXBOT
PM2 --> DEXBOT
DEXBOT --> MANAGER
DEXBOT --> CONSTANTS
MANAGER --> ACCOUNTANT
MANAGER --> STRATEGY
MANAGER --> SYNC
MANAGER --> GRID
MANAGER --> UTILS
MANAGER --> LOGGER
MANAGER --> RUNNER
STRATEGY --> UTILS
ACCOUNTANT --> UTILS
SYNC --> UTILS
GRID --> UTILS
RUNNER --> CHAIN_ORDERS
SYNC --> ACCOUNT_ORDERS
MANAGER --> ACCOUNT_BOTS
CHAIN_ORDERS -.->|BitShares API| BLOCKCHAIN[(BitShares<br/>Blockchain)]
ACCOUNT_ORDERS -.->|BitShares API| BLOCKCHAIN
The OrderManager is the central hub that coordinates all order operations. It delegates specialized tasks to four engine modules:
| Engine | File | Responsibility |
|---|---|---|
| Accountant | accounting.js |
Single Source of Truth. Centralized fund tracking via recalculateFunds(), fee management, invariant verification, recovery retry state management (resetRecoveryState()) |
| StrategyEngine | strategy.js |
Grid rebalancing, order rotation, partial order handling, fill boundary shifts, remainder tracking |
| SyncEngine | sync_engine.js |
Blockchain synchronization, fill detection, stale-order cleanup, type-mismatch handling |
| Grid | grid.js |
Grid creation, sizing, divergence detection, remainder accuracy during capped resize |
The OrderManager implements a Copy-on-Write (COW) pattern to protect the master grid from speculative modifications until blockchain finality is confirmed.
The master grid (this.orders) is immutable - it can only be replaced atomically, never mutated in place. All speculative planning operations work on isolated copies, and the master is only updated when blockchain confirms the operation.
Important: Index Sets (_ordersByState, _ordersByType) are mutable by design but must only be mutated through _applyOrderUpdate(). Direct external mutations violate the COW invariant.
| Mechanism | Location | Purpose |
|---|---|---|
Object.freeze() |
manager.js:396 |
Master Map is frozen at initialization |
deepFreeze() |
manager.js:813 |
Individual order objects are deep-frozen |
_gridVersion |
manager.js:828 |
Version counter for staleness detection |
_gridLock |
manager.js:431 |
AsyncLock serializes grid mutations |
| Encapsulation | manager.js:406-415 |
Index Sets are private; mutations only via _applyOrderUpdate() |
All master grid updates follow clone-and-replace semantics:
// 1. Clone existing Map
const newMap = cloneMap(this.orders);
// 2. Apply mutation to clone
newMap.set(id, updatedOrder);
// 3. Atomically replace with frozen copy
this.orders = Object.freeze(newMap);
this._gridVersion++;Index Sets follow the same pattern - cloned, mutated, frozen, then replaced.
The WorkingGrid class (modules/order/working_grid.js) provides isolation for speculative operations:
- Deep clones the master grid on construction
- Tracks modified orders in a Set
- Supports staleness detection via
baseVersion - Never modifies the master grid
┌─────────────────────────────────────────────────────────────┐
│ 1. Create WorkingGrid from frozen master │
│ workingGrid = new WorkingGrid(masterGrid, {baseVersion})│
└─────────────────────────┬───────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ 2. Calculate target state (PURE - no side effects) │
│ strategy.calculateTargetGrid() returns new Map │
└─────────────────────────┬───────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ 3. Project target onto working grid │
│ Modifies working copy only │
└─────────────────────────┬───────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ 4. Validate funds & check staleness │
│ If stale: abort without committing │
└─────────────────────────┬───────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ 5. Submit to blockchain & wait for finality │
│ synchronizeWithChain() confirms on-chain │
└─────────────────────────┬───────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ 6. Commit: Replace master with working grid │
│ this.orders = Object.freeze(workingGrid.toMap()) │
└─────────────────────────────────────────────────────────────┘
Only blockchain-confirmed events trigger master updates:
| Event | Entry Point | Mechanism |
|---|---|---|
| Order Created | sync_engine.js:877-921 |
synchronizeWithChain('createOrder') |
| Order Cancelled | sync_engine.js:923-940 |
synchronizeWithChain('cancelOrder') |
| Order Filled | sync_engine.js:662-823 |
syncFromFillHistory() |
| Full Sync | sync_engine.js:942-947 |
syncFromOpenOrders() |
| Grid Init/Load | grid.js:495-626 |
Bootstrap operations |
- Double-check commit pattern: Staleness is checked both outside and inside the lock
- Working grid sync: If master mutates during planning, working grid is marked stale
- Version mismatch detection: Commits abort if
baseVersiondoesn't match_gridVersion
The fill pipeline handles incoming filled orders efficiently through fixed-cap batching instead of one-at-a-time processing.
┌─────────────────────────────────────────────────────────────┐
│ Fill Event (Blockchain) │
│ (Order filled at price X) │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ _incomingFillQueue (FIFO Queue) │
│ (Accumulates fills from blockchain) │
│ Queue: [fill1, fill2, fill3, fill4, fill5, ...] │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ processFilledOrders() - Entry Point │
│ Use MAX_FILL_BATCH_SIZE cap for deterministic batching │
│ Rules: <=cap unified, >cap chunked at cap size │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ Pop Batch (up to MAX_FILL_BATCH_SIZE) │
│ Takes N fills from queue head (N = 1-4) │
│ Example: pops [fill1, fill2, fill3] for batch processing │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ processFillAccounting() - Single Call │
│ All fills credited to chainFree in ONE operation │
│ chainFree += proceeds[fill1] + proceeds[fill2] + ... │
│ Proceeds immediately available (same rebalance cycle) │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ rebalanceSideRobust() - Single Call │
│ Size replacement orders using combined proceeds │
│ Apply rotations and boundary shifts │
│ Use unallocated remainder for next allocation opportunities│
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ updateOrdersOnChainBatch() - Single Broadcast │
│ All new orders + cancellations in single operation │
│ Result: Atomic state update on blockchain │
└─────────────────────┬───────────────────────────────────────┘
↓
┌─────────────────────────────────────────────────────────────┐
│ persistGrid() │
│ Save grid state to disk/storage │
└─────────────────────┬───────────────────────────────────────┘
↓
Loop to next batch
(or idle if queue empty)
-
Fixed-Cap Batch Sizing: Batch size is deterministic with
MAX_FILL_BATCH_SIZE(default 4)- 1..4 awaiting: single unified batch (one rebalance/broadcast cycle)
- 5+ awaiting: repeated chunks of 4 (last chunk may be smaller)
-
Single Rebalance Cycle: All fills in batch processed in ONE rebalance
- No "split across cycles" delays
- Combined proceeds immediately available
- Single cache fund update
-
Recovery Retries: Periodic retry system replaces one-shot flag
- Max 5 attempts per episode
- 60s minimum interval between retries
- Reset on fill arrival or periodic sync (10 minutes)
resetRecoveryState()called by Accountant
-
Stale-Cleaned Order Tracking: Prevents orphan double-credit
- Batch failure → cleanup stale order IDs
- Delayed orphan event → check if ID in stale-cleaned map
- Skip credit if already cleaned
- TTL pruning (5 minute retention)
| Metric | Legacy (1-at-a-time) | Fixed-Cap Batching | Improvement |
|---|---|---|---|
| 29 Fills | ~90 seconds | ~24 seconds | 73% faster |
| Market Divergence | High (90s window) | Low (24s window) | Safer |
| Stale Orders | Frequent | Rare | More reliable |
| Recovery | One-shot (brick) | Periodic (self-heal) | Production-ready |
The grid boundary (which separates BUY, SPREAD, and SELL zones) automatically aligns with the bot's actual inventory distribution.
By default, the grid is centered around startPrice. However, if the bot has asymmetric capital (e.g., more assetB than assetA), the boundary should shift to favor the "heavier" side.
Example: If 70% of capital is in assetB (buying power), the BUY zone should be expanded.
Location: modules/dexbot_class.js::_performGridChecks() → Boundary Sync step
Algorithm:
// 1. Scan all grid slots and their current assignments
const buyTotal = sum(orders with type === BUY);
const sellTotal = sum(orders with type === SELL);
const totalAllocated = buyTotal + sellTotal;
// 2. Calculate target allocation based on available funds
const buyAvailable = manager.funds.available.buy;
const sellAvailable = manager.funds.available.sell;
const totalAvailable = buyAvailable + sellAvailable;
// 3. Determine ideal boundary position
const buyTargetRatio = buyAvailable / totalAvailable; // e.g., 0.7
const slots = grid.length;
const targetBuySlots = Math.round(slots * buyTargetRatio * 0.5); // Apply centering factor
// 4. Adjust boundary to new position
newBoundaryIdx = calculateNewBoundary(targetBuySlots);
// 5. Re-assign slot roles (BUY/SPREAD/SELL) based on new boundary
reassignSlotRoles(newBoundaryIdx);Once the new boundary is determined, existing on-chain orders are matched to desired slots:
| Case | Condition | Action |
|---|---|---|
| MATCH | Existing order price matches desired slot | Update size if needed |
| ACTIVATE | Desired slot is empty | Place new order at this price |
| DEACTIVATE | Existing order exceeds target count | Cancel excess orders |
Target Count: activeOrders from config, applied uniformly to both sides.
- Automatic Capital Repositioning: Grid follows capital distribution without manual intervention
- Fund Respect: Never exceeds available funds when activating slots
- Smooth Transitions: Rotations happen gradually, not all at once
Simplified spread maintenance that keeps the gap consistent and fund-driven, avoiding complex split/merge mechanics.
Instead of complex partial handling, spread corrections are conservative and fund-safe:
- Target spread width stays constant at
targetSpreadPercent - Corrections scale with actual available funds, not arbitrary slot budgets
- No dynamic spread inflation based on partial consolidation flags
- Edge-first surplus selection ensures stable rotation candidates
Location: modules/order/strategy.js::rebalanceSideRobust()
The simplified approach prioritizes fund availability over aggressive corrections:
1. Detect that spread is wider than targetSpreadPercent
2. Calculate how many edge slots are missing
3. Attempt to place new edge orders with available funds
4. If insufficient funds for all edges:
- Create what's affordable with available funds
- Log shortfall (smooth over next rebalance cycle)
5. If a dust partial exists in the correction window:
- Mark for consolidation in next grid rebuild
- Don't create complex merge/split side effects
6. Maintain constant target spread—no inflation based on partial flags
Spread corrections respect these hard limits:
// In modules/constants.js
SPREAD_LIMITS: {
MIN_SPREAD_ORDERS: 2, // Always maintain minimum gap
TARGET_SPREAD_PERCENT: (user-configured), // Fixed width, no inflation
MAX_REPLACEMENT_SLOTS: 5, // Conservative correction cap
}
// Each correction order must be healthy
const minHealthySize = calculateMinOrderSize(side);
const affordableOrderCount = Math.floor(availableFunds / minHealthySize);
const correctionOrders = Math.min(missingSlots, affordableOrderCount);Benefits:
- ✅ No "double-dust" fragmentation
- ✅ Constant, predictable spread width
- ✅ Funds always respected (no forced allocation)
- ✅ Natural smoothing over multiple rebalance cycles
Background market price updates every 4 hours to ensure grid anchoring remains accurate during long-running sessions without fills.
If the bot hasn't seen fills for 4 hours, the startPrice might become stale if:
- Market has drifted significantly
- Liquidity pool price has shifted
- User wants grid recalculation
Location: modules/constants.js
BLOCKCHAIN_FETCH_INTERVAL_MIN: 240, // 4 hours = 240 minutes// 1. Timer started during bot initialization
this.periodicRefreshTimer = setInterval(
() => this._performPeriodicRefresh(),
BLOCKCHAIN_FETCH_INTERVAL_MIN * 60 * 1000
);
// 2. When timer fires:
async _performPeriodicRefresh() {
// Fetch latest market price
const latestPrice = await derivePrice('market'); // Or 'pool'
// Update internal anchor if using dynamic pricing
if (config.startPrice === 'market' || config.startPrice === 'pool') {
this.manager.startPrice = latestPrice;
}
// Grid remains un-affected (fund-driven during normal ops)
// Only used for valuation calculations and divergence checks
}If user set startPrice: 105.5 in bots.json:
- No auto-refresh: Numeric value is treated as fixed anchor
- Valuation uses fixed value: All calculations use 105.5
- Grid doesn't move: Orders stay where they are (fund-driven rebalancing only)
Price refresh is passive:
- ✅ Updates internal valuation
- ✅ Affects future grid resets if triggered
- ❌ Does NOT move orders on blockchain (no funds wasted on unnecessary rotations)
Refactored outOfSpread from a simple boolean flag to a numeric distance metric for more precise structural updates.
// Old approach
mgr.outOfSpread = true; // Binary: either in or out
if (mgr.outOfSpread) {
// Perform spread correction
}Problem: Doesn't distinguish between "slightly out" vs "severely out"
// New approach: distance in steps
mgr.outOfSpread = 3; // 3 steps beyond target spread
// Use distance in correction logic
const spreadDistance = mgr.outOfSpread;
const replacementSlots = Math.min(spreadDistance, MAX_CORRECTION_SLOTS);Benefit: Enables scaled corrections based on actual severity.
// Calculate how many steps beyond target
const currentSpreadSteps = calculateCurrentSpreadGap();
const targetSpreadSteps = calculateTargetSpread();
const outOfSpreadDistance = Math.max(0, currentSpreadSteps - targetSpreadSteps);
mgr.outOfSpread = outOfSpreadDistance; // 0 = in spread, 3+ = outThe bot includes a comprehensive pipeline monitoring system to prevent indefinite blocking and enable operational visibility.
Problem: Pipeline checks could block indefinitely if operations hung due to network issues or stuck corrections.
Solution: 5-minute timeout with automatic, non-destructive recovery.
Configuration (modules/constants.js):
PIPELINE_TIMING: {
TIMEOUT_MS: 300000, // 5 minutes
}How It Works:
isPipelineEmpty()tracks when pipeline operations started blocking via_pipelineBlockedSincetimestamp- If blockage exceeds 5 minutes,
clearStalePipelineOperations()is called - Non-destructive recovery: clears operation flags only, does NOT delete orders or modify grid state
- Recovery called from
_executeMaintenanceLogic()during periodic maintenance checks
Location: modules/order/manager.js lines 570-650
Purpose: Enable production monitoring dashboards and alerting systems.
Method: getPipelineHealth()
Returns (8 diagnostic fields):
{
isEmpty: boolean, // Pipeline is empty/clear?
reasons: string[], // Why pipeline is blocked (if blocked)
blockedSince: number, // Timestamp when blockage started (ms since epoch)
blockedDurationMs: number, // How long blocked (milliseconds)
blockedDurationHuman: string, // How long blocked (human-readable: "5m 30s")
correctionsPending: number, // Count of pending spread corrections
gridSidesUpdated: string[], // Which sides have queued updates ("BUY", "SELL", "BOTH")
}Integration: Post-fill logging shows health status for operational visibility.
Location: modules/order/manager.js lines 650-700
sequenceDiagram
participant Bot as DexBotClass
participant Mgr as OrderManager
participant Sync as SyncEngine
participant Strat as StrategyEngine
participant Acct as Accountant
participant Chain as Blockchain
Bot->>Mgr: Initialize grid
Mgr->>Acct: Reset funds
Mgr->>Sync: Fetch account balances
Sync->>Chain: Get balances
Chain-->>Sync: Balance data
Sync->>Acct: Set account totals
Acct->>Acct: Recalculate funds
Note over Mgr: Grid initialized, ready for trading
Bot->>Sync: Detect fills (polling)
Sync->>Chain: Get open orders
Chain-->>Sync: Order data
Sync->>Mgr: syncFromOpenOrders()
Mgr->>Strat: processFilledOrders()
Strat->>Acct: Update funds (cache proceeds)
Strat->>Strat: Identify shortages/surpluses
Strat->>Mgr: Rotate orders
Mgr->>Acct: Deduct funds (atomic)
Mgr->>Chain: Place new orders
Orders transition through three primary states during their lifecycle:
stateDiagram-v2
[*] --> VIRTUAL: Grid created
VIRTUAL --> ACTIVE: Order placed on-chain
VIRTUAL --> SPREAD: After fill (placeholder)
ACTIVE --> PARTIAL: Partial fill detected
ACTIVE --> VIRTUAL: Order cancelled/rotated
ACTIVE --> SPREAD: Order cancelled after fill
PARTIAL --> ACTIVE: Consolidated (size >= ideal)
PARTIAL --> VIRTUAL: Moved/consolidated
PARTIAL --> SPREAD: Absorbed into spread
SPREAD --> [*]: Grid regenerated
note right of VIRTUAL
No on-chain presence
Funds reserved in virtual pool
end note
note right of ACTIVE
On-chain with orderId
Funds locked/committed
end note
note right of PARTIAL
Partially filled on-chain
Waiting for consolidation
end note
note right of SPREAD
Placeholder for spread zone
Always VIRTUAL state
end note
| From State | To State | Trigger | Fund Impact |
|---|---|---|---|
| VIRTUAL | ACTIVE | Order placed | Deduct from chainFree |
| ACTIVE | PARTIAL | Partial fill | Reduce committed by filled amount |
| ACTIVE | VIRTUAL | Order cancelled | Add back to chainFree |
| PARTIAL | ACTIVE | Consolidation | Update to idealSize (consumes available funds) |
| PARTIAL | VIRTUAL | Order moved | Release funds, re-reserve |
A phantom order is an illegal state where an order exists as ACTIVE/PARTIAL without a corresponding blockchain orderId. This corrupts fund tracking and causes "doubled funds" warnings.
Why Phantoms Occur:
- Grid Resize Bug:
Grid._updateOrdersForSide()could force VIRTUAL → ACTIVE without blockchain confirmation - Sync Gap: Orders without orderId could remain ACTIVE indefinitely if sync logic skipped them
- No Validation: No centralized check prevented invalid state assignments
Prevention System (Three-Layer Defense):
| Layer | Location | Mechanism |
|---|---|---|
| Guard | manager.js:570-584 |
Centralized validation in _updateOrder() rejects ACTIVE/PARTIAL without orderId, auto-downgrades to VIRTUAL |
| Grid Protection | grid.js:1154 |
Preserve order state during resize: state: order.state instead of forcing ACTIVE |
| Sync Cleanup | sync_engine.js:297-305 |
Detect orders without orderId and convert to SPREAD placeholders; prevent phantom fills from triggering rebalancing |
Verification:
- Direct state assignment in code review: All transitions go through
_updateOrder()(cannot bypass) - Automated tests:
tests/repro_phantom_orders.jsconfirms all prevention layers work - Logging: Any phantom creation attempt is logged as ERROR with context
The fund tracking system uses atomic operations to prevent race conditions and overdrafts.
graph LR
subgraph "Blockchain Balances"
CHAIN_FREE[chainFree<br/>Unallocated funds]
CHAIN_COMMITTED[committed.chain<br/>On-chain orders]
end
subgraph "Internal Tracking"
VIRTUAL[virtual<br/>Reserved for VIRTUAL orders]
GRID_COMMITTED[committed.grid<br/>ACTIVE order sizes]
end
subgraph "Calculated Values"
AVAILABLE[available<br/>= chainFree - virtual<br/>- fees]
TOTAL_CHAIN[total.chain<br/>= chainFree + committed.chain]
TOTAL_GRID[total.grid<br/>= committed.grid + virtual]
end
CHAIN_FREE --> AVAILABLE
VIRTUAL --> AVAILABLE
CHAIN_FREE --> TOTAL_CHAIN
CHAIN_COMMITTED --> TOTAL_CHAIN
GRID_COMMITTED --> TOTAL_GRID
VIRTUAL --> TOTAL_GRID
style AVAILABLE fill:#90EE90
style VIRTUAL fill:#87CEEB
- chainFree: Unallocated funds on blockchain (from
accountTotals.buyFree/sellFree) - committed.chain: Funds locked in on-chain orders (ACTIVE orders with
orderId) - committed.grid: Internal tracking of ACTIVE order sizes
- virtual: Funds reserved for VIRTUAL orders (not yet on-chain)
- available: Free funds for new orders =
max(0, chainFree - virtual - fees)
sequenceDiagram
participant Strat as StrategyEngine
participant Acct as Accountant
participant Mgr as OrderManager
Note over Strat: Want to place order<br/>size = 100
Strat->>Acct: tryDeductFromChainFree(type, 100)
alt Sufficient funds (available >= 100)
Acct->>Acct: chainFree -= 100
Acct->>Acct: virtual += 100
Acct-->>Strat: true (success)
Strat->>Mgr: Place order
else Insufficient funds
Acct-->>Strat: false (failed)
Note over Strat: Order not placed<br/>No fund leak
end
The grid uses a unified "Master Rail" with a dynamic boundary that shifts as fills occur.
graph LR
subgraph "Master Rail (Price Levels)"
direction LR
B0[buy-0<br/>VIRTUAL]
B1[buy-1<br/>ACTIVE]
B2[buy-2<br/>ACTIVE]
BOUNDARY{Boundary<br/>Index}
S0[spread-0<br/>SPREAD]
S1[spread-1<br/>SPREAD]
S2[spread-2<br/>SPREAD]
SELL0[sell-173<br/>ACTIVE]
SELL1[sell-174<br/>ACTIVE]
SELL2[sell-175<br/>VIRTUAL]
end
B0 --> B1 --> B2 --> BOUNDARY
BOUNDARY --> S0 --> S1 --> S2
S2 --> SELL0 --> SELL1 --> SELL2
style B1 fill:#90EE90
style B2 fill:#90EE90
style S0 fill:#FFD700
style S1 fill:#FFD700
style S2 fill:#FFD700
style SELL0 fill:#FF6B6B
style SELL1 fill:#FF6B6B
style BOUNDARY fill:#87CEEB
- Buy Fill:
boundaryIdx -= 1(shift left/down) - Sell Fill:
boundaryIdx += 1(shift right/up)
- BUY: Slots
[0, boundaryIdx] - SPREAD: Slots
[boundaryIdx + 1, boundaryIdx + G]where G = spread gap size (empty slots). Actual gaps = G + 1. - SELL: Slots
[boundaryIdx + G + 1, N]
sequenceDiagram
participant Chain as Blockchain
participant Sync as SyncEngine
participant Strat as StrategyEngine
participant Acct as Accountant
participant Grid as Grid
Chain->>Sync: Order filled
Sync->>Sync: Detect fill
Sync->>Strat: processFilledOrders([fills])
Strat->>Acct: Add proceeds to chainFree
Strat->>Grid: Shift boundary index
Strat->>Acct: Deduct BTS fees from cache
Strat->>Strat: Identify dust partials (if any)
Strat->>Strat: Execute rotations based on fund availability
Strat->>Grid: Apply boundary-driven slot reassignments
graph TB
START[Fill Detected] --> SHIFT[Shift Boundary]
SHIFT --> IDENTIFY[Identify Shortages<br/>Empty slots in active window]
IDENTIFY --> CHECK{Surpluses<br/>Available?}
CHECK -->|Yes| CRAWL[Select Crawl Candidate<br/>Furthest active order]
CHECK -->|No| NEW[Place New Order<br/>if funds available]
CRAWL --> COMPARE{Shortage price<br/>better than<br/>surplus price?}
COMPARE -->|Yes| ROTATE[Rotate Order<br/>Cancel old, place new]
COMPARE -->|No| SKIP[Skip rotation]
ROTATE --> NEXT{More<br/>shortages?}
SKIP --> NEXT
NEW --> NEXT
NEXT -->|Yes| IDENTIFY
NEXT -->|No| DONE[Rebalance Complete]
The grid divergence system monitors and corrects misalignment between ideal grid state and persistent blockchain state.
graph TB
START[Grid Update Triggered] --> CALC[Calculate Ideal Grid<br/>Based on current funds]
CALC --> RELOAD["Force Reload Persisted Grid<br/>Ensure fresh blockchain state"]
RELOAD --> COMPARE[Compare to Persisted Grid]
COMPARE --> RMS[Calculate RMS Divergence<br/>For PARTIAL orders only]
RMS --> CHECK{RMS > Threshold?}
CHECK -->|Yes| UPDATE[Update Grid Sizes<br/>Trigger rebalance]
CHECK -->|No| SKIP[Skip update]
UPDATE --> PERSIST[Persist New Grid State]
PERSIST --> DONE[Complete]
SKIP --> DONE
Key Improvement (v0.6.1): Force reload mechanism now ensures fresh persisted grid data before comparison, preventing stale cache from causing false divergence detections.
The system uses order-level locks to prevent race conditions during async operations.
sequenceDiagram
participant Sync as SyncEngine
participant Strat as StrategyEngine
participant Mgr as OrderManager
Note over Sync: Detected fill on order P1
Sync->>Mgr: lockOrders([P1])
Sync->>Sync: Process fill
par Concurrent Strategy Check
Strat->>Mgr: isOrderLocked(P1)?
Mgr-->>Strat: true
Note over Strat: Skip P1 (locked)
end
Sync->>Sync: Complete fill processing
Sync->>Mgr: unlockOrders([P1])
Note over Strat: Next cycle can now process P1
- Default timeout: 5-10 seconds
- Auto-expiry: Prevents deadlocks from crashes
- Best practice: Always use try/finally to ensure unlock
| Module | Primary Responsibility | Key Functions |
|---|---|---|
| OrderManager | Central coordinator, state management | _updateOrder(), lockOrders(), getOrdersByTypeAndState() |
| Accountant | Fund tracking, fee management | recalculateFunds(), tryDeductFromChainFree(), _verifyFundInvariants() |
| StrategyEngine | Rebalancing, rotation, partial handling | rebalance(), processFilledOrders(), preparePartialOrderMove() |
| SyncEngine | Blockchain sync, fill detection | syncFromOpenOrders(), synchronizeWithChain() |
| Grid | Grid creation, sizing, divergence | createOrderGrid(), compareGrids(), checkAndUpdateGridIfNeeded() |
| Utils | Shared utilities, conversions | quantizeFloat(), normalizeInt() (math.js); order predicates (order.js); COW action building (validate.js); price derivation (system.js) |
| Logger | Formatted logging, diagnostics | logOrderGrid(), logFundsStatus(), logGridDiagnostics() |
The bot implementation supports runtime updates to specific configuration parameters without requiring a process restart. This is handled via a Periodic Configuration Refresh mechanism.
Every 4 hours (default BLOCKCHAIN_FETCH_INTERVAL_MIN), the bot performs the following safe refresh cycle:
- Thread-Safe Load: The bot re-reads
profiles/bots.jsonusingreadBotsFileWithLockto ensure it doesn't collide with manual edits or the CLI manager. - Memory Update: It identifies its own configuration entry and updates its internal memory state (
this.configandmanager.config). - Non-Disruptive Application: The refresh is designed to be passive. It updates valuation anchors but does not trigger on-chain order movement automatically.
The startPrice parameter follows a strict hierarchy of authority:
| Setting Type | Source | Behavior |
|---|---|---|
| Numeric | bots.json |
Single Source of Truth. Blocks all auto-derivation. Used as a fixed anchor for valuation and grid resets. |
| "pool" | Blockchain | Derived from current Liquidity Pool price during resets or 4h refresh cycles. |
| "market" | Blockchain | Derived from current Orderbook price during resets or 4h refresh cycles. |
graph LR
subgraph "In-Memory State"
ORDERS[orders Map<br/>Grid state]
FUNDS[funds Object<br/>Fund tracking]
INDICES[Indices<br/>_ordersByState<br/>_ordersByType]
end
subgraph "Persisted State"
ACCOUNT_JSON[account.json<br/>Grid snapshot<br/>feesOwed, boundaryIdx]
BOTS_JSON[bots.json<br/>Bot config]
end
ORDERS --> ACCOUNT_JSON
FUNDS --> ACCOUNT_JSON
ACCOUNT_JSON -.->|Load on startup| ORDERS
ACCOUNT_JSON -.->|Load on startup| FUNDS
BOTS_JSON -.->|Load on startup| CONFIG[Bot Config]
- Grid state: Persisted after every rebalance to
account.json - Fund state: Available funds derived from blockchain balances at runtime (no separate persistence needed)
- Retry logic: 3 attempts with exponential backoff
- Graceful degradation: Bot continues if persistence fails (in-memory only)
The system has been optimized to use a "memory-driven" model for order updates, eliminating redundant blockchain API calls during normal operation.
1. Raw Order Cache (rawOnChain)
- Grid slots now store exact blockchain order representations (integers/satoshis) in a
rawOnChaincache - Birth: Cache populated immediately after successful order placement using broadcasted arguments
- Partial Fills: Cache updated in-place via integer subtraction (subtracting filled satoshis from
for_sale) - Updates/Rotations: Cache refreshed with adjusted integers returned by build process
2. Eliminated Redundant API Calls
- Removed all
readOpenOrders()calls from_buildSizeUpdateOps()and_buildRotationOps() - Removed
computeVirtualOpenOrders()logic that was redundantly fetching entire account state - The bot now trusts its internal state, backed by real-time fill listener, to build transactions
3. Refactored buildUpdateOrderOp()
- Updated to support optional
cachedOrderparameter - Allows callers to bypass blockchain queries if they have raw state in memory
- Returns
finalIntsalong with operation data for local tracking
4. Self-Healing Resilience
- Maintains "State Recovery Sync" fallback
- If a memory-driven transaction fails, bot catches error and performs a full refresh
- Ensures internal ledger stays synchronized with BitShares blockchain
- Faster reaction time: No waiting for blockchain queries during order updates
- Reduced API load: Fewer fetches, less network congestion
- Mathematical precision: Integer-based tracking prevents float precision errors
- See FUND_MOVEMENT_AND_ACCOUNTING.md § 5.5 for quantization utilities and best practices
- Fallback safety: Automatic recovery if memory state becomes inconsistent
- Batch operations (size updates, rotations) now run without any blockchain fetches
- Only placement operations and recovery syncs query the blockchain
- Estimated 10-20x speedup for high-frequency operations
The system continuously monitors three mathematical invariants:
- Account Equality:
chainTotal = chainFree + committed.chain - Committed Ceiling:
committed.grid <= chainTotal - Available Leak Check:
available <= chainFree
Tolerance: 0.1% (to account for fees and rounding)
- Validation:
validateIndices()checks Map ↔ Set consistency - Repair:
_repairIndices()rebuilds indices if corruption detected - Defensive: Called after critical operations
- Batch fund recalculation:
pauseFundRecalc()/resumeFundRecalc() - Index-based lookups: O(1) access via
_ordersByStateand_ordersByType - Lock expiry: Prevents permanent blocking from crashes
- Fee caching: Reduces blockchain API calls
manager.getMetrics()
// Returns:
// - fundRecalcCount
// - invariantViolations
// - lockAcquisitions
// - stateTransitions
// - lastSyncDurationMsDEXBot2 uses a native Node.js assert testing strategy to ensure reliability without heavy dependencies.
graph LR
A["Logic Tests<br/>(tests/test_*_logic.js)"]
B["Integration Tests<br/>(tests/test_*.js)"]
A -->|Manager, State Machine| A1["manager_logic"]
A -->|Fund Tracking| A2["accounting_logic"]
A -->|Grid Creation| A3["grid_logic"]
A -->|Rebalancing| A4["strategy_logic"]
A -->|Sync Logic| A5["sync_logic"]
B -->|Multi-step Scenarios| B1["Market Scenarios"]
B -->|Edge Cases| B2["Partial Order Tests"]
B -->|Real-world Scenarios| B3["Fills/FEE Tests"]
# Run all tests (native assert)
npm test
# Specific logic area
node tests/test_accounting_logic.jsCoverage Goals:
- ✅ All public methods have tests
- ✅ All invariants verified automatically
- ✅ Edge cases covered (zero funds, max orders, etc.)
- ✅ Concurrent operations tested with locks
- ✅ State transitions validated end-to-end
Recent Improvements (2026-01-09):
- Added 23 new test cases for recent bugfixes
- Created comprehensive strategy engine tests
- Enhanced accounting tests with fee validation
- Added fund precision and delta tests
For Developers:
-
Run tests before commits
npm test -
Add tests for new features
- Follow patterns in existing tests
- Test fund impact of new logic
- Include edge cases
-
Verify invariants
expect(manager.validateIndices()).toBe(true); expect(chainTotal === chainFree + chainCommitted).toBe(true);
-
Use debug mode for problematic scenarios
manager.logger.level = 'debug'; // Enable detailed logging // ... run scenario ... // Check console output for detailed fund tracking
-
TEST_UPDATES_SUMMARY.md - Detailed test coverage for 23 new test cases
- Maps each test to specific bugfixes
- Shows what each test validates
- Running instructions for specific areas
-
developer_guide.md#testing-fund-calculations - Testing guide for developers
- How to write fund tests
- Common test patterns
- Debugging failing tests
- Adding tests for new features
-
TESTING_IMPROVEMENTS.md - Lessons from bugfix iteration
- What caused bugs in 0.4.x
- How tests prevent regressions
- Design validation checklist
The strategy engine has been significantly strengthened with improvements to fund validation, dust handling, and order constraints:
1. Pre-Flight Fund Validation
- Before executing batch order placements, available funds are validated
- Prevents insufficient fund errors during large rotation cycles
- Uses atomic check-and-deduct pattern for safety
- Located in:
modules/order/strategy.js-rebalanceSideRobust()
2. Dust Partial Handling
- Improved dust detection algorithm prevents false positives
- Detects dust as
< 5% of ideal order size - Dust partials are absorbed into the next grid rebuild cycle (no merge/split mechanics)
- Auto-Cancellation:
_cancelDustOrders()(called post-fill and in periodic maintenance) cancels dust partials on-chain once they exceedDUST_CANCEL_DELAY_SECseconds in dust state; timer tracked perorderIdin_dustSinceMap.-1disables,0= instant, default 60s.
3. Strict Order Size Constraints
- Orders validated to not exceed available funds
- Maximum order size enforced during both placement and rotation
- Prevents oversized orders that fail on-chain
- Atomic validation with placement ensures consistency
4. Boundary Index Persistence
- BoundaryIdx (spread zone pivot) now correctly persisted across bot restarts
- Ensures grid rotation continues seamlessly after divergence correction
- Fixes grid instability from incorrect boundary tracking
5. Taker Fee Accounting
- Both market and blockchain taker fees now accounted for correctly
- Fee deduction uses proper
isMakerparameter - Prevents fund leaks from missing fee calculations
- Located in:
modules/order/strategy.js-processFilledOrders()
6. Precision Spread Management (Logarithmic Logic)
- Discrete Step Tracking: Replaced the legacy linear multiplier (
SPREAD_WIDENING_MULTIPLIER) with a discrete 1-slot logarithmic buffer. This ensures correction triggers exactly when the market moves by one full increment. - Center-Gap Awareness: Refined the grid initialization math to account for the "Center Gap" naturally created during symmetric centering. This reduces the initial spread by ~0.5% (one full increment) compared to the previous version.
- Collision-Free Safety: Increased
MIN_SPREAD_FACTORto 2.1 to ensure that the security minimum (2 spread orders) never conflicts with the spread correction threshold, even at micro-spread configurations.
For detailed fund calculations and test coverage, see:
- developer_guide.md#testing-fund-calculations - How fund calculations are tested
- TEST_UPDATES_SUMMARY.md - Detailed coverage of recent bugfix tests
- Fund Movement Logic - Detailed mathematical formulas and algorithms
- Developer Guide - Code navigation and onboarding
- README.md - User documentation and setup
- WORKFLOW.md - Git branch workflow
Get orders by state and type:
const activeBuys = manager.getOrdersByTypeAndState(ORDER_TYPES.BUY, ORDER_STATES.ACTIVE);Atomic fund deduction:
if (manager.accountant.tryDeductFromChainFree(orderType, size)) {
// Funds deducted, safe to place order
} else {
// Insufficient funds, skip
}Batch order updates:
manager.pauseFundRecalc();
for (const order of orders) {
// context parameter helps with logging/debugging the source of the update
manager._updateOrder(order, 'batch-update', { skipAccounting: false, fee: 0 });
}
manager.resumeFundRecalc(); // Recalculates onceLock orders during async operations:
manager.lockOrders([orderId]);
try {
await asyncOperation();
} finally {
manager.unlockOrders([orderId]);
}