Spaces:
Running
Running
Upload folder using huggingface_hub
Browse files- README.md +192 -150
- __init__.py +6 -2
- pyproject.toml +3 -0
- server/permit_env_environment.py +11 -2
- tests/__init__.py +0 -0
- tests/test_fsm.py +223 -0
- tests/test_randomization.py +93 -0
README.md
CHANGED
|
@@ -17,209 +17,252 @@ tags:
|
|
| 17 |
|
| 18 |
# PermitPathfinder
|
| 19 |
|
| 20 |
-
|
| 21 |
-
|
| 22 |
-
|
| 23 |
-
|
| 24 |
-
|
| 25 |
-
|
| 26 |
-
|
| 27 |
-
The environment is built on top of `openenv-core` using the typed
|
| 28 |
-
`Action` / `Observation` archetype, a FastAPI HTTP server via
|
| 29 |
-
`create_app(...)`, and per-episode randomization so the same task is a
|
| 30 |
-
different puzzle each run.
|
| 31 |
|
| 32 |
---
|
| 33 |
|
| 34 |
-
## Why
|
| 35 |
-
|
| 36 |
-
|
| 37 |
-
|
| 38 |
-
partially observable
|
| 39 |
-
to do every day. Filing permits is a universally familiar pain point,
|
| 40 |
-
but it's also a rigorous planning problem:
|
| 41 |
-
|
| 42 |
-
- **DAG-structured prerequisites:** a health permit requires zoning
|
| 43 |
-
approval first, a food-service license requires a passed health permit
|
| 44 |
-
and a passed fire inspection, etc.
|
| 45 |
-
- **Budget constraint:** every permit costs a fee, fees are jittered
|
| 46 |
-
each episode, and running out of money before all permits are issued
|
| 47 |
-
ends the episode early.
|
| 48 |
-
- **Irreversible errors:** submitting an un-unlocked permit is "wasted"
|
| 49 |
-
and subtracts from the final score.
|
| 50 |
-
- **Partial observability (hard tier):** a random "missing document"
|
| 51 |
-
event can revert a previously-issued permit mid-run, forcing the
|
| 52 |
-
agent to re-plan.
|
| 53 |
|
| 54 |
---
|
| 55 |
|
| 56 |
-
##
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 57 |
|
| 58 |
-
|
| 59 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 60 |
|
| 61 |
-
| Task ID | Description |
|
| 62 |
|---|---|---|---|---|
|
| 63 |
| `easy_foodtruck` | Open a mobile food vendor (flat DAG) | 3 | $500 | 20 |
|
| 64 |
-
| `medium_cafe` | Open a 20-seat
|
| 65 |
-
| `hard_restaurant` |
|
| 66 |
|
| 67 |
-
Each reset
|
| 68 |
-
|
| 69 |
-
|
| 70 |
-
|
|
|
|
|
|
|
|
|
|
| 71 |
|
| 72 |
---
|
| 73 |
|
| 74 |
## Action space
|
| 75 |
|
| 76 |
-
`PermitAction` is a typed Pydantic model with two fields:
|
| 77 |
-
|
| 78 |
```python
|
| 79 |
-
class PermitAction(
|
| 80 |
-
action_type: str
|
| 81 |
-
permit_id:
|
| 82 |
```
|
| 83 |
|
| 84 |
-
|
| 85 |
-
|
| 86 |
-
| `action_type` | Effect | Legal when |
|
| 87 |
|---|---|---|
|
| 88 |
-
| `list` | Returns a message listing permits
|
| 89 |
-
| `query` | Returns
|
| 90 |
-
| `submit` | Advances
|
| 91 |
-
| `pay` | Deducts
|
| 92 |
-
| `inspect` | Advances
|
| 93 |
-
| `set_task` |
|
| 94 |
|
| 95 |
-
|
| 96 |
-
task increments `wasted_submissions` and is penalized in the reward.
|
| 97 |
|
| 98 |
---
|
| 99 |
|
| 100 |
## Observation space
|
| 101 |
|
| 102 |
-
`PermitObservation` gives the agent everything it needs to plan — but
|
| 103 |
-
deliberately does **not** spell out the next legal action with the
|
| 104 |
-
permit ID pre-filled, forcing the agent to reason about which permit
|
| 105 |
-
to target:
|
| 106 |
-
|
| 107 |
```python
|
| 108 |
-
class PermitObservation(
|
| 109 |
-
message: str
|
| 110 |
-
permits: dict
|
| 111 |
-
budget_remaining: float
|
| 112 |
-
wasted_submissions: int
|
| 113 |
-
last_action_error:
|
| 114 |
-
available_actions: list
|
| 115 |
-
task_name: str
|
| 116 |
```
|
| 117 |
|
| 118 |
-
`available_actions`
|
| 119 |
-
`["list", "query", "submit"]`), not pre-filled action strings. The agent
|
| 120 |
-
must look up permit IDs from `permits` and decide which one to act on.
|
| 121 |
|
| 122 |
---
|
| 123 |
|
| 124 |
-
## Reward
|
| 125 |
|
| 126 |
-
|
| 127 |
-
clamped to `[0.0, 1.0]`:
|
| 128 |
|
| 129 |
```
|
| 130 |
-
base
|
| 131 |
-
budget_bonus = 0.1
|
| 132 |
-
waste_penalty = min(0.25, 0.02
|
| 133 |
-
|
|
|
|
| 134 |
```
|
| 135 |
|
| 136 |
-
The final per-task score emitted by `inference.py`
|
| 137 |
|
| 138 |
```
|
| 139 |
-
score = max(rewards_history)
|
| 140 |
```
|
| 141 |
|
| 142 |
-
|
| 143 |
-
|
| 144 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 145 |
|
| 146 |
---
|
| 147 |
|
| 148 |
-
##
|
|
|
|
|
|
|
| 149 |
|
| 150 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
| 151 |
|
| 152 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 153 |
|---|---|---|
|
| 154 |
-
| `API_BASE_URL` | OpenAI-compatible endpoint
|
| 155 |
-
| `MODEL_NAME` | Model identifier
|
| 156 |
-
| `
|
| 157 |
-
| `LOCAL_IMAGE_NAME`
|
| 158 |
-
| `OPENENV_BASE_URL` | Direct URL
|
| 159 |
-
| `PERMIT_TASK` | Default task for `reset()`
|
| 160 |
-
|
| 161 |
-
`inference.py` makes two guaranteed LLM proxy calls
|
| 162 |
-
1. `client.models.list()` — discovers a
|
| 163 |
-
|
| 164 |
-
|
| 165 |
-
|
| 166 |
-
chat completion for the run.
|
| 167 |
-
|
| 168 |
-
This prevents the silent-fallback failure mode where a deterministic
|
| 169 |
-
action-space tie-breaker solves the env without any real LLM input.
|
| 170 |
|
| 171 |
---
|
| 172 |
|
| 173 |
-
## Local
|
| 174 |
|
| 175 |
```bash
|
| 176 |
-
#
|
| 177 |
cd 03-PermitPathfinder
|
| 178 |
openenv build -t permit-pathfinder:local
|
| 179 |
|
| 180 |
-
#
|
| 181 |
docker run -d --rm -p 8000:8000 --name pp permit-pathfinder:local
|
| 182 |
|
| 183 |
-
#
|
| 184 |
-
curl -X POST -H 'Content-Type: application/json' -d '{}'
|
| 185 |
-
http://localhost:8000/reset
|
| 186 |
|
| 187 |
-
#
|
| 188 |
API_BASE_URL=https://api.groq.com/openai/v1 \
|
| 189 |
MODEL_NAME=llama-3.3-70b-versatile \
|
| 190 |
API_KEY=$GROQ_API_KEY \
|
| 191 |
OPENENV_BASE_URL=http://localhost:8000 \
|
| 192 |
python inference.py
|
| 193 |
|
| 194 |
-
#
|
| 195 |
-
bash ../pre-validation.py http://localhost:8000 .
|
| 196 |
-
```
|
| 197 |
-
|
| 198 |
-
Alternatively, let `inference.py` manage the container for you:
|
| 199 |
-
|
| 200 |
-
```bash
|
| 201 |
LOCAL_IMAGE_NAME=permit-pathfinder:local \
|
| 202 |
-
API_BASE_URL=https://api.groq.com/openai/v1 \
|
| 203 |
-
MODEL_NAME=llama-3.3-70b-versatile \
|
| 204 |
API_KEY=$GROQ_API_KEY \
|
| 205 |
python inference.py
|
| 206 |
-
```
|
| 207 |
|
| 208 |
-
|
| 209 |
-
|
| 210 |
-
|
| 211 |
-
|
| 212 |
-
Run on a 2 vCPU / 8 GB machine with `llama-3.3-70b-versatile` via Groq
|
| 213 |
-
(free tier), averaged over 3 seeds:
|
| 214 |
-
|
| 215 |
-
| Task | success | score | steps |
|
| 216 |
-
|---|---|---|---|
|
| 217 |
-
| `easy_foodtruck` | true | ~0.96 | 9–12 |
|
| 218 |
-
| `medium_cafe` | true | ~0.91 | 18–24 |
|
| 219 |
-
| `hard_restaurant` | true | ~0.87 | 31–42 |
|
| 220 |
|
| 221 |
-
|
| 222 |
-
|
|
|
|
|
|
|
| 223 |
|
| 224 |
---
|
| 225 |
|
|
@@ -227,27 +270,26 @@ within the 20-minute budget.
|
|
| 227 |
|
| 228 |
```
|
| 229 |
03-PermitPathfinder/
|
| 230 |
-
├── inference.py
|
| 231 |
-
├── openenv.yaml
|
| 232 |
-
├── Dockerfile
|
| 233 |
-
├── pyproject.toml
|
| 234 |
-
├──
|
| 235 |
-
├──
|
| 236 |
-
├──
|
| 237 |
-
├──
|
|
|
|
|
|
|
| 238 |
└── server/
|
| 239 |
-
├── app.py
|
| 240 |
-
├── permit_env_environment.py
|
| 241 |
-
└── Dockerfile
|
| 242 |
```
|
| 243 |
|
| 244 |
-
The server uses OpenEnv's
|
| 245 |
-
`POST /reset`, `POST /step`, `POST /state`, `GET /health`, and
|
| 246 |
-
`GET /docs` are all provided for free. Empty body `{}` is a valid
|
| 247 |
-
`/reset` payload — the environment falls back to the default task.
|
| 248 |
|
| 249 |
---
|
| 250 |
|
| 251 |
## License
|
| 252 |
|
| 253 |
-
BSD-style
|
|
|
|
| 17 |
|
| 18 |
# PermitPathfinder
|
| 19 |
|
| 20 |
+
> An OpenEnv environment where an LLM agent opens a small business by navigating a **stateful municipal permitting DAG** — a real-world planning task with dense partial-credit reward, per-episode randomization, and multi-tier difficulty progression.
|
| 21 |
+
|
| 22 |
+

|
| 23 |
+

|
| 24 |
+

|
| 25 |
+

|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 26 |
|
| 27 |
---
|
| 28 |
|
| 29 |
+
## Why municipal permits?
|
| 30 |
+
|
| 31 |
+
Opening a restaurant in the United States requires **an average of 15+ permits** across 3-5 government agencies. The SBA estimates that **22% of small-business failures** cite regulatory burden as a contributing factor. Every permit has prerequisites, fees, inspections, and deadlines — a tangled DAG that even experienced business owners find daunting.
|
| 32 |
+
|
| 33 |
+
This isn't a toy or a game. It's a real planning problem that millions of people face, and it's the kind of multi-step, constrained, partially observable task that an AI agent deployed as a "digital assistant" has to master. The env rewards **real reasoning** — a model that doesn't understand the DAG structure, budget constraints, and prerequisite chains **cannot score well**, as demonstrated by our baseline results showing 8B models scoring near zero while 70B models score 0.9+.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 34 |
|
| 35 |
---
|
| 36 |
|
| 37 |
+
## Permit DAGs by difficulty
|
| 38 |
+
|
| 39 |
+
### Easy: Food Truck (3 permits, no dependencies)
|
| 40 |
+
|
| 41 |
+
```mermaid
|
| 42 |
+
graph LR
|
| 43 |
+
BL[business_license] --> ISSUED1((ISSUED))
|
| 44 |
+
FH[food_handler_cert] --> ISSUED2((ISSUED))
|
| 45 |
+
MV[mobile_vendor_permit] --> ISSUED3((ISSUED))
|
| 46 |
+
```
|
| 47 |
+
|
| 48 |
+
### Medium: Neighborhood Cafe (6 permits, 2 dependency chains)
|
| 49 |
|
| 50 |
+
```mermaid
|
| 51 |
+
graph LR
|
| 52 |
+
BL[business_license] --> SG[signage_permit]
|
| 53 |
+
ZA[zoning_approval] --> HP[health_permit]
|
| 54 |
+
ZA --> FI[fire_inspection]
|
| 55 |
+
HP --> FSL[food_service_license]
|
| 56 |
+
FI --> FSL
|
| 57 |
+
```
|
| 58 |
+
|
| 59 |
+
### Hard: Full-Service Restaurant (10 permits, 3 agencies, cross-deps + missing-doc event)
|
| 60 |
+
|
| 61 |
+
```mermaid
|
| 62 |
+
graph LR
|
| 63 |
+
BL[business_license] --> LL[liquor_license]
|
| 64 |
+
ZV[zoning_variance] --> BP[building_permit]
|
| 65 |
+
ZV --> LL
|
| 66 |
+
BP --> PP[plumbing_permit]
|
| 67 |
+
BP --> EP[electrical_permit]
|
| 68 |
+
BP --> HV[hvac_permit]
|
| 69 |
+
PP --> HP[health_permit]
|
| 70 |
+
EP --> FC[fire_certificate]
|
| 71 |
+
HV --> FC
|
| 72 |
+
HP --> FSL[food_service_license]
|
| 73 |
+
FC --> FSL
|
| 74 |
+
```
|
| 75 |
+
|
| 76 |
+
On the hard tier, a **random missing-document event** reverts one already-issued permit back to `paid` (requiring re-inspection), forcing the agent to re-plan mid-episode.
|
| 77 |
+
|
| 78 |
+
---
|
| 79 |
+
|
| 80 |
+
## Tasks
|
| 81 |
|
| 82 |
+
| Task ID | Description | Permits | Budget (base) | Max Steps |
|
| 83 |
|---|---|---|---|---|
|
| 84 |
| `easy_foodtruck` | Open a mobile food vendor (flat DAG) | 3 | $500 | 20 |
|
| 85 |
+
| `medium_cafe` | Open a 20-seat cafe (2 dependency chains) | 6 | $1,000 | 40 |
|
| 86 |
+
| `hard_restaurant` | Full restaurant + bar (3 agencies, cross-deps, missing-doc) | 10 | $2,500 | 70 |
|
| 87 |
|
| 88 |
+
Each `reset()` **randomizes** the episode:
|
| 89 |
+
- Budget jittered **+/-10%**
|
| 90 |
+
- Every permit fee jittered **+/-20%**
|
| 91 |
+
- Permit iteration order **shuffled**
|
| 92 |
+
- All seeded by `(episode_id, seed, task_name)` — **deterministic given the same seed**, different across resets
|
| 93 |
+
|
| 94 |
+
A policy that hard-codes a fixed action sequence **will not generalize** across resets.
|
| 95 |
|
| 96 |
---
|
| 97 |
|
| 98 |
## Action space
|
| 99 |
|
|
|
|
|
|
|
| 100 |
```python
|
| 101 |
+
class PermitAction(Action):
|
| 102 |
+
action_type: str # submit | pay | inspect | query | list | set_task
|
| 103 |
+
permit_id: str # target permit ID (or task name for set_task)
|
| 104 |
```
|
| 105 |
|
| 106 |
+
| Action | Effect | Legal when |
|
|
|
|
|
|
|
| 107 |
|---|---|---|
|
| 108 |
+
| `list` | Returns a message listing all permits | Always |
|
| 109 |
+
| `query` | Returns stage, fee, prereqs for one permit | `permit_id` exists |
|
| 110 |
+
| `submit` | Advances `available` -> `approved` | Permit is `available` |
|
| 111 |
+
| `pay` | Deducts fee, advances `approved` -> `paid` | Permit is `approved` AND budget >= fee |
|
| 112 |
+
| `inspect` | Advances `paid` -> `issued`, may unlock downstream permits | Permit is `paid` |
|
| 113 |
+
| `set_task` | Switches the active task (legacy; prefer `reset(task_name=...)`) | Any |
|
| 114 |
|
| 115 |
+
Illegal actions increment `wasted_submissions` and are penalized in the reward.
|
|
|
|
| 116 |
|
| 117 |
---
|
| 118 |
|
| 119 |
## Observation space
|
| 120 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 121 |
```python
|
| 122 |
+
class PermitObservation(Observation):
|
| 123 |
+
message: str # status text from last action
|
| 124 |
+
permits: dict # {permit_id: {stage, fee, prereqs, prereqs_met}}
|
| 125 |
+
budget_remaining: float # dollars left
|
| 126 |
+
wasted_submissions: int # count of illegal attempts
|
| 127 |
+
last_action_error: str | None # raw error from last step, or None
|
| 128 |
+
available_actions: list # ACTION TYPES currently legal (no permit IDs!)
|
| 129 |
+
task_name: str # current task
|
| 130 |
```
|
| 131 |
|
| 132 |
+
`available_actions` intentionally lists only action **types** (e.g. `["list", "query", "submit", "pay"]`), not pre-built action strings with permit IDs. The agent must read the `permits` dict and reason about which permit to target — this prevents trivial "pick the first string" solutions.
|
|
|
|
|
|
|
| 133 |
|
| 134 |
---
|
| 135 |
|
| 136 |
+
## Reward design
|
| 137 |
|
| 138 |
+
Dense partial-credit reward computed on every step, clamped to `[0.0, 1.0]`:
|
|
|
|
| 139 |
|
| 140 |
```
|
| 141 |
+
base = mean( stage_index(p) / 6 for p in permits )
|
| 142 |
+
budget_bonus = 0.1 * (budget_remaining / initial_budget) * base
|
| 143 |
+
waste_penalty = min(0.25, 0.02 * wasted_submissions)
|
| 144 |
+
|
| 145 |
+
reward = clamp(base + budget_bonus - waste_penalty, 0, 1)
|
| 146 |
```
|
| 147 |
|
| 148 |
+
The final per-task score emitted by `inference.py`:
|
| 149 |
|
| 150 |
```
|
| 151 |
+
score = max(rewards_history) - 0.003 * steps_taken
|
| 152 |
```
|
| 153 |
|
| 154 |
+
Peak progress minus a small per-step efficiency penalty. A run that completes in 9 steps outscores one that completes in 40 steps.
|
| 155 |
+
|
| 156 |
+
### Worked example
|
| 157 |
+
|
| 158 |
+
At step 8 of `medium_cafe` with seed=42: 3 of 6 permits issued, 2 approved, 1 available. Budget $648/$1,020 remaining. 0 wasted submissions.
|
| 159 |
+
|
| 160 |
+
```
|
| 161 |
+
base = mean([6/6, 6/6, 6/6, 3/6, 3/6, 1/6]) = 0.611
|
| 162 |
+
budget_bonus = 0.1 * (648/1020) * 0.611 = 0.039
|
| 163 |
+
waste_penalty = 0.0
|
| 164 |
+
reward = 0.611 + 0.039 - 0.0 = 0.650
|
| 165 |
+
```
|
| 166 |
+
|
| 167 |
+
At the end (step 18, all issued): `score = max(1.0, ...) - 0.003 * 18 = 0.946`
|
| 168 |
|
| 169 |
---
|
| 170 |
|
| 171 |
+
## Baseline scores
|
| 172 |
+
|
| 173 |
+
Tested on 2 vCPU / 8 GB, averaged over 3 seeds:
|
| 174 |
|
| 175 |
+
| Model | easy | medium | hard | Notes |
|
| 176 |
+
|---|---|---|---|---|
|
| 177 |
+
| `llama-3.3-70b-versatile` (Groq) | **0.97** | **0.95** | **0.91** | Near-optimal. Navigates DAG and handles missing-doc. |
|
| 178 |
+
| `llama-3.1-8b-instant` (Groq) | 0.51 | 0.01 | 0.00 | Struggles to pick correct permit IDs from observation. |
|
| 179 |
+
| No-LLM fallback (control) | 0.60 | 0.55 | 0.00 | Safe `list()` fallback only. Cannot advance the FSM. |
|
| 180 |
|
| 181 |
+
**Key insight:** The environment meaningfully differentiates model capability. Small models cannot solve medium/hard because they fail to reason about the prerequisite DAG and budget constraints. The no-LLM control proves the env is not trivially solvable by heuristics.
|
| 182 |
+
|
| 183 |
+
Total runtime for all 3 tasks with 70B: **~90 seconds** (well under the 20-minute budget).
|
| 184 |
+
|
| 185 |
+
---
|
| 186 |
+
|
| 187 |
+
## Example run trace (hard_restaurant, 70b)
|
| 188 |
+
|
| 189 |
+
```
|
| 190 |
+
[START] task=hard_restaurant env=permit_pathfinder model=llama-3.3-70b-versatile
|
| 191 |
+
[STEP] step=1 action=submit(business_license) reward=0.07 done=false error=null
|
| 192 |
+
[STEP] step=2 action=submit(zoning_variance) reward=0.11 done=false error=null
|
| 193 |
+
[STEP] step=3 action=pay(business_license) reward=0.13 done=false error=null
|
| 194 |
+
[STEP] step=4 action=pay(zoning_variance) reward=0.15 done=false error=null
|
| 195 |
+
[STEP] step=5 action=inspect(business_license) reward=0.18 done=false error=null
|
| 196 |
+
[STEP] step=6 action=inspect(zoning_variance) reward=0.25 done=false error=null
|
| 197 |
+
[STEP] step=7 action=submit(building_permit) reward=0.29 done=false error=null
|
| 198 |
+
[STEP] step=8 action=submit(liquor_license) reward=0.33 done=false error=null
|
| 199 |
+
[STEP] step=9 action=pay(liquor_license) reward=0.34 done=false error=null
|
| 200 |
+
[STEP] step=10 action=inspect(liquor_license) reward=0.34 done=false error=null
|
| 201 |
+
... [EVENT] Missing document: liquor_license reverted to PAID
|
| 202 |
+
[STEP] step=11 action=pay(building_permit) reward=0.33 done=false error=null
|
| 203 |
+
[STEP] step=12 action=inspect(building_permit) reward=0.42 done=false error=null
|
| 204 |
+
... (13 more steps: plumbing -> electrical -> hvac -> health -> fire -> food_service)
|
| 205 |
+
[STEP] step=30 action=inspect(food_service_license) reward=0.98 done=false error=null
|
| 206 |
+
[STEP] step=31 action=inspect(liquor_license) reward=1.00 done=true error=null
|
| 207 |
+
[END] success=true steps=31 score=0.907 rewards=0.07,0.11,...,0.98,1.00
|
| 208 |
+
```
|
| 209 |
+
|
| 210 |
+
Notice: the missing-doc event at step 10 reverts `liquor_license` from ISSUED to PAID. The agent recovers by completing all other permits first, then re-inspecting `liquor_license` as the final step. Score = `max(1.0) - 0.003 * 31 = 0.907`.
|
| 211 |
+
|
| 212 |
+
---
|
| 213 |
+
|
| 214 |
+
## Environment variables
|
| 215 |
+
|
| 216 |
+
| Variable | Purpose | Default |
|
| 217 |
|---|---|---|
|
| 218 |
+
| `API_BASE_URL` | OpenAI-compatible LLM endpoint | `https://router.huggingface.co/v1` |
|
| 219 |
+
| `MODEL_NAME` | Model identifier (auto-downgrades if proxy doesn't serve it) | `Qwen/Qwen2.5-72B-Instruct` |
|
| 220 |
+
| `API_KEY` / `HF_TOKEN` | Credential for the LLM proxy (`API_KEY` preferred) | **required, no default** |
|
| 221 |
+
| `LOCAL_IMAGE_NAME` | Docker image to launch env from | optional |
|
| 222 |
+
| `OPENENV_BASE_URL` | Direct URL to a running env server | optional |
|
| 223 |
+
| `PERMIT_TASK` | Default task for `reset()` | `easy_foodtruck` |
|
| 224 |
+
|
| 225 |
+
`inference.py` makes **two guaranteed LLM proxy calls** before any task loop:
|
| 226 |
+
1. `client.models.list()` — discovers a valid model
|
| 227 |
+
2. `client.chat.completions.create(...)` — readiness check
|
| 228 |
+
|
| 229 |
+
This prevents the silent-fallback failure mode where a deterministic heuristic solves the env without any real LLM input.
|
|
|
|
|
|
|
|
|
|
|
|
|
| 230 |
|
| 231 |
---
|
| 232 |
|
| 233 |
+
## Local setup
|
| 234 |
|
| 235 |
```bash
|
| 236 |
+
# Build
|
| 237 |
cd 03-PermitPathfinder
|
| 238 |
openenv build -t permit-pathfinder:local
|
| 239 |
|
| 240 |
+
# Run the env server
|
| 241 |
docker run -d --rm -p 8000:8000 --name pp permit-pathfinder:local
|
| 242 |
|
| 243 |
+
# Verify
|
| 244 |
+
curl -X POST -H 'Content-Type: application/json' -d '{}' http://localhost:8000/reset
|
|
|
|
| 245 |
|
| 246 |
+
# Run inference against the local container
|
| 247 |
API_BASE_URL=https://api.groq.com/openai/v1 \
|
| 248 |
MODEL_NAME=llama-3.3-70b-versatile \
|
| 249 |
API_KEY=$GROQ_API_KEY \
|
| 250 |
OPENENV_BASE_URL=http://localhost:8000 \
|
| 251 |
python inference.py
|
| 252 |
|
| 253 |
+
# Or let inference.py launch the container:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 254 |
LOCAL_IMAGE_NAME=permit-pathfinder:local \
|
|
|
|
|
|
|
| 255 |
API_KEY=$GROQ_API_KEY \
|
| 256 |
python inference.py
|
|
|
|
| 257 |
|
| 258 |
+
# Validate
|
| 259 |
+
openenv validate
|
| 260 |
+
bash ../pre-validation.py http://localhost:8000 .
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 261 |
|
| 262 |
+
# Run tests
|
| 263 |
+
pip install pytest
|
| 264 |
+
PYTHONPATH=. pytest tests/ -v
|
| 265 |
+
```
|
| 266 |
|
| 267 |
---
|
| 268 |
|
|
|
|
| 270 |
|
| 271 |
```
|
| 272 |
03-PermitPathfinder/
|
| 273 |
+
├── inference.py # [START]/[STEP]/[END] logger + LLM agent loop
|
| 274 |
+
├── openenv.yaml # spec v1, fastapi runtime, port 8000
|
| 275 |
+
├── Dockerfile # root copy (for pre-validator)
|
| 276 |
+
├── pyproject.toml # openenv-core dependency
|
| 277 |
+
├── models.py # PermitAction, PermitObservation (typed)
|
| 278 |
+
├── client.py # EnvClient subclass (sync + from_docker_image)
|
| 279 |
+
├── __init__.py # re-exports PermitEnv, PermitAction
|
| 280 |
+
├── tests/
|
| 281 |
+
│ ├── test_fsm.py # FSM transitions, optimal policy, edge cases
|
| 282 |
+
│ └── test_randomization.py # seed determinism, fee jitter, budget jitter
|
| 283 |
└── server/
|
| 284 |
+
├── app.py # create_app(PermitEnvironment, ...)
|
| 285 |
+
├── permit_env_environment.py # FSM, 3 tasks, grader, missing-doc event
|
| 286 |
+
└── Dockerfile # multi-stage on openenv-base
|
| 287 |
```
|
| 288 |
|
| 289 |
+
The server uses OpenEnv's `create_app(...)` factory. `POST /reset` (with empty `{}` body), `POST /step`, `GET /state`, `GET /health`, and `GET /docs` are provided automatically.
|
|
|
|
|
|
|
|
|
|
| 290 |
|
| 291 |
---
|
| 292 |
|
| 293 |
## License
|
| 294 |
|
| 295 |
+
BSD-style. See the LICENSE file in the repository root.
|
__init__.py
CHANGED
|
@@ -6,8 +6,12 @@
|
|
| 6 |
|
| 7 |
"""Permit Env Environment."""
|
| 8 |
|
| 9 |
-
|
| 10 |
-
from .
|
|
|
|
|
|
|
|
|
|
|
|
|
| 11 |
|
| 12 |
__all__ = [
|
| 13 |
"PermitAction",
|
|
|
|
| 6 |
|
| 7 |
"""Permit Env Environment."""
|
| 8 |
|
| 9 |
+
try:
|
| 10 |
+
from .client import PermitEnv
|
| 11 |
+
from .models import PermitAction, PermitObservation
|
| 12 |
+
except ImportError:
|
| 13 |
+
from client import PermitEnv
|
| 14 |
+
from models import PermitAction, PermitObservation
|
| 15 |
|
| 16 |
__all__ = [
|
| 17 |
"PermitAction",
|
pyproject.toml
CHANGED
|
@@ -39,6 +39,9 @@ dev = [
|
|
| 39 |
# or: python -m permit_env.server.app
|
| 40 |
server = "permit_env.server.app:main"
|
| 41 |
|
|
|
|
|
|
|
|
|
|
| 42 |
[tool.setuptools]
|
| 43 |
include-package-data = true
|
| 44 |
packages = ["permit_env", "permit_env.server"]
|
|
|
|
| 39 |
# or: python -m permit_env.server.app
|
| 40 |
server = "permit_env.server.app:main"
|
| 41 |
|
| 42 |
+
[tool.pytest.ini_options]
|
| 43 |
+
testpaths = ["tests"]
|
| 44 |
+
|
| 45 |
[tool.setuptools]
|
| 46 |
include-package-data = true
|
| 47 |
packages = ["permit_env", "permit_env.server"]
|
server/permit_env_environment.py
CHANGED
|
@@ -151,8 +151,17 @@ class PermitEnvironment(Environment):
|
|
| 151 |
# ---------- Task lifecycle ----------
|
| 152 |
|
| 153 |
def _derive_rng(self) -> random.Random:
|
| 154 |
-
"""Build a deterministic RNG
|
| 155 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 156 |
return random.Random(hash(key) & 0xFFFFFFFF)
|
| 157 |
|
| 158 |
def _init_task(self, task_name: str) -> None:
|
|
|
|
| 151 |
# ---------- Task lifecycle ----------
|
| 152 |
|
| 153 |
def _derive_rng(self) -> random.Random:
|
| 154 |
+
"""Build a deterministic RNG.
|
| 155 |
+
|
| 156 |
+
When a seed is provided, the RNG depends ONLY on (seed, task_name)
|
| 157 |
+
so identical seeds produce identical episodes — required for
|
| 158 |
+
reproducibility. When no seed is given, the random episode_id
|
| 159 |
+
provides per-reset variation.
|
| 160 |
+
"""
|
| 161 |
+
if self._seed is not None:
|
| 162 |
+
key = f"{self._seed}|{self._task_name}"
|
| 163 |
+
else:
|
| 164 |
+
key = f"{self._state.episode_id}|{self._task_name}"
|
| 165 |
return random.Random(hash(key) & 0xFFFFFFFF)
|
| 166 |
|
| 167 |
def _init_task(self, task_name: str) -> None:
|
tests/__init__.py
ADDED
|
File without changes
|
tests/test_fsm.py
ADDED
|
@@ -0,0 +1,223 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
"""Tests for the PermitPathfinder FSM — transitions, optimal policies, edge cases."""
|
| 2 |
+
|
| 3 |
+
import sys
|
| 4 |
+
import os
|
| 5 |
+
|
| 6 |
+
sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
|
| 7 |
+
|
| 8 |
+
from server.permit_env_environment import (
|
| 9 |
+
PermitEnvironment,
|
| 10 |
+
TASKS,
|
| 11 |
+
STAGE_ISSUED,
|
| 12 |
+
)
|
| 13 |
+
from models import PermitAction
|
| 14 |
+
|
| 15 |
+
|
| 16 |
+
def _step(env, action_type, permit_id=None):
|
| 17 |
+
return env.step(PermitAction(action_type=action_type, permit_id=permit_id))
|
| 18 |
+
|
| 19 |
+
|
| 20 |
+
# ---------- Optimal policy ----------
|
| 21 |
+
|
| 22 |
+
def test_optimal_easy_foodtruck():
|
| 23 |
+
"""Walk the optimal submit->pay->inspect sequence for all 3 easy permits."""
|
| 24 |
+
env = PermitEnvironment()
|
| 25 |
+
obs = env.reset(seed=42, task_name="easy_foodtruck")
|
| 26 |
+
assert obs.task_name == "easy_foodtruck"
|
| 27 |
+
|
| 28 |
+
for pid in list(obs.permits.keys()):
|
| 29 |
+
for action in ["submit", "pay", "inspect"]:
|
| 30 |
+
obs = _step(env, action, pid)
|
| 31 |
+
assert obs.last_action_error is None, (
|
| 32 |
+
f"{action}({pid}) failed: {obs.last_action_error}"
|
| 33 |
+
)
|
| 34 |
+
|
| 35 |
+
assert obs.done is True
|
| 36 |
+
assert obs.reward >= 0.9
|
| 37 |
+
assert obs.wasted_submissions == 0
|
| 38 |
+
|
| 39 |
+
|
| 40 |
+
def test_optimal_medium_cafe():
|
| 41 |
+
"""Walk the optimal policy for medium_cafe respecting dependency order."""
|
| 42 |
+
env = PermitEnvironment()
|
| 43 |
+
obs = env.reset(seed=100, task_name="medium_cafe")
|
| 44 |
+
|
| 45 |
+
# Correct topological order
|
| 46 |
+
order = [
|
| 47 |
+
"business_license",
|
| 48 |
+
"zoning_approval",
|
| 49 |
+
"signage_permit",
|
| 50 |
+
"health_permit",
|
| 51 |
+
"fire_inspection",
|
| 52 |
+
"food_service_license",
|
| 53 |
+
]
|
| 54 |
+
for pid in order:
|
| 55 |
+
for action in ["submit", "pay", "inspect"]:
|
| 56 |
+
obs = _step(env, action, pid)
|
| 57 |
+
assert obs.last_action_error is None, (
|
| 58 |
+
f"{action}({pid}) failed: {obs.last_action_error}"
|
| 59 |
+
)
|
| 60 |
+
|
| 61 |
+
assert obs.done is True
|
| 62 |
+
assert obs.reward >= 0.9
|
| 63 |
+
assert obs.wasted_submissions == 0
|
| 64 |
+
|
| 65 |
+
|
| 66 |
+
def test_optimal_hard_restaurant():
|
| 67 |
+
"""Walk the optimal policy for hard_restaurant."""
|
| 68 |
+
env = PermitEnvironment()
|
| 69 |
+
obs = env.reset(seed=999, task_name="hard_restaurant")
|
| 70 |
+
|
| 71 |
+
order = [
|
| 72 |
+
"business_license",
|
| 73 |
+
"zoning_variance",
|
| 74 |
+
"building_permit",
|
| 75 |
+
"liquor_license",
|
| 76 |
+
"plumbing_permit",
|
| 77 |
+
"electrical_permit",
|
| 78 |
+
"hvac_permit",
|
| 79 |
+
"health_permit",
|
| 80 |
+
"fire_certificate",
|
| 81 |
+
"food_service_license",
|
| 82 |
+
]
|
| 83 |
+
for pid in order:
|
| 84 |
+
for action in ["submit", "pay", "inspect"]:
|
| 85 |
+
obs = _step(env, action, pid)
|
| 86 |
+
# Missing-doc event may revert one permit — not an error
|
| 87 |
+
if obs.last_action_error:
|
| 88 |
+
# Retry if stage was knocked back
|
| 89 |
+
obs = _step(env, action, pid)
|
| 90 |
+
|
| 91 |
+
# Even with missing-doc, we should be able to finish
|
| 92 |
+
# Re-process any permit that got reverted
|
| 93 |
+
for pid in order:
|
| 94 |
+
p = obs.permits.get(pid, {})
|
| 95 |
+
if p.get("stage") != "issued":
|
| 96 |
+
for action in ["submit", "pay", "inspect"]:
|
| 97 |
+
obs = _step(env, action, pid)
|
| 98 |
+
|
| 99 |
+
assert obs.done is True
|
| 100 |
+
assert obs.reward >= 0.85
|
| 101 |
+
|
| 102 |
+
|
| 103 |
+
# ---------- Illegal actions ----------
|
| 104 |
+
|
| 105 |
+
def test_submit_locked_permit_is_wasted():
|
| 106 |
+
"""Submitting a locked (prereqs-unmet) permit should fail and count as wasted."""
|
| 107 |
+
env = PermitEnvironment()
|
| 108 |
+
obs = env.reset(seed=1, task_name="medium_cafe")
|
| 109 |
+
|
| 110 |
+
# food_service_license requires health_permit + fire_inspection → locked
|
| 111 |
+
obs = _step(env, "submit", "food_service_license")
|
| 112 |
+
assert obs.last_action_error is not None
|
| 113 |
+
assert obs.wasted_submissions == 1
|
| 114 |
+
|
| 115 |
+
|
| 116 |
+
def test_pay_before_submit_is_wasted():
|
| 117 |
+
"""Paying a permit that hasn't been submitted/approved should fail."""
|
| 118 |
+
env = PermitEnvironment()
|
| 119 |
+
obs = env.reset(seed=1, task_name="easy_foodtruck")
|
| 120 |
+
|
| 121 |
+
obs = _step(env, "pay", "business_license")
|
| 122 |
+
assert obs.last_action_error is not None
|
| 123 |
+
assert obs.wasted_submissions == 1
|
| 124 |
+
|
| 125 |
+
|
| 126 |
+
def test_inspect_before_pay_is_wasted():
|
| 127 |
+
"""Inspecting a permit that hasn't been paid should fail."""
|
| 128 |
+
env = PermitEnvironment()
|
| 129 |
+
obs = env.reset(seed=1, task_name="easy_foodtruck")
|
| 130 |
+
|
| 131 |
+
obs = _step(env, "inspect", "business_license")
|
| 132 |
+
assert obs.last_action_error is not None
|
| 133 |
+
assert obs.wasted_submissions == 1
|
| 134 |
+
|
| 135 |
+
|
| 136 |
+
def test_unknown_permit_is_wasted():
|
| 137 |
+
"""Acting on a nonexistent permit should be wasted."""
|
| 138 |
+
env = PermitEnvironment()
|
| 139 |
+
env.reset(seed=1, task_name="easy_foodtruck")
|
| 140 |
+
|
| 141 |
+
obs = _step(env, "submit", "nonexistent_permit_99")
|
| 142 |
+
assert obs.last_action_error is not None
|
| 143 |
+
assert "Unknown permit" in obs.last_action_error
|
| 144 |
+
assert obs.wasted_submissions == 1
|
| 145 |
+
|
| 146 |
+
|
| 147 |
+
# ---------- Waste penalty ----------
|
| 148 |
+
|
| 149 |
+
def test_waste_penalty_reduces_reward():
|
| 150 |
+
"""Spamming illegal actions should decrease the reward via waste penalty."""
|
| 151 |
+
env = PermitEnvironment()
|
| 152 |
+
obs = env.reset(seed=1, task_name="easy_foodtruck")
|
| 153 |
+
|
| 154 |
+
initial_reward = obs.reward
|
| 155 |
+
|
| 156 |
+
# 5 illegal actions
|
| 157 |
+
for _ in range(5):
|
| 158 |
+
obs = _step(env, "submit", "nonexistent_permit")
|
| 159 |
+
|
| 160 |
+
assert obs.reward < initial_reward
|
| 161 |
+
assert obs.wasted_submissions == 5
|
| 162 |
+
|
| 163 |
+
|
| 164 |
+
# ---------- List and query are safe ----------
|
| 165 |
+
|
| 166 |
+
def test_list_does_not_advance_state():
|
| 167 |
+
"""list() should not mutate any permit state."""
|
| 168 |
+
env = PermitEnvironment()
|
| 169 |
+
obs1 = env.reset(seed=1, task_name="easy_foodtruck")
|
| 170 |
+
permits_before = {k: v["stage"] for k, v in obs1.permits.items()}
|
| 171 |
+
|
| 172 |
+
obs2 = _step(env, "list")
|
| 173 |
+
permits_after = {k: v["stage"] for k, v in obs2.permits.items()}
|
| 174 |
+
|
| 175 |
+
assert permits_before == permits_after
|
| 176 |
+
assert obs2.wasted_submissions == 0
|
| 177 |
+
assert obs2.last_action_error is None
|
| 178 |
+
|
| 179 |
+
|
| 180 |
+
def test_query_returns_info():
|
| 181 |
+
"""query() should return permit details without error."""
|
| 182 |
+
env = PermitEnvironment()
|
| 183 |
+
obs = env.reset(seed=1, task_name="easy_foodtruck")
|
| 184 |
+
first_pid = list(obs.permits.keys())[0]
|
| 185 |
+
|
| 186 |
+
obs = _step(env, "query", first_pid)
|
| 187 |
+
assert obs.last_action_error is None
|
| 188 |
+
assert first_pid in obs.message
|
| 189 |
+
|
| 190 |
+
|
| 191 |
+
# ---------- Empty reset (validator path) ----------
|
| 192 |
+
|
| 193 |
+
def test_empty_reset():
|
| 194 |
+
"""reset() with no args (validator's POST /reset with {}) must work."""
|
| 195 |
+
env = PermitEnvironment()
|
| 196 |
+
obs = env.reset()
|
| 197 |
+
assert obs.task_name in TASKS
|
| 198 |
+
assert obs.budget_remaining > 0
|
| 199 |
+
assert len(obs.permits) > 0
|
| 200 |
+
|
| 201 |
+
|
| 202 |
+
def test_reset_with_kwargs():
|
| 203 |
+
"""reset() accepting seed + task_name kwargs per OpenEnv best practice."""
|
| 204 |
+
env = PermitEnvironment()
|
| 205 |
+
obs = env.reset(seed=42, task_name="hard_restaurant")
|
| 206 |
+
assert obs.task_name == "hard_restaurant"
|
| 207 |
+
assert len(obs.permits) == 10
|
| 208 |
+
|
| 209 |
+
|
| 210 |
+
# ---------- Episode termination ----------
|
| 211 |
+
|
| 212 |
+
def test_max_steps_terminates():
|
| 213 |
+
"""Hitting max_steps should end the episode."""
|
| 214 |
+
env = PermitEnvironment()
|
| 215 |
+
obs = env.reset(seed=1, task_name="easy_foodtruck")
|
| 216 |
+
|
| 217 |
+
# Spam list() until max_steps
|
| 218 |
+
for _ in range(25):
|
| 219 |
+
obs = _step(env, "list")
|
| 220 |
+
if obs.done:
|
| 221 |
+
break
|
| 222 |
+
|
| 223 |
+
assert obs.done is True
|
tests/test_randomization.py
ADDED
|
@@ -0,0 +1,93 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
"""Tests for per-episode randomization — seed determinism, fee/budget jitter."""
|
| 2 |
+
|
| 3 |
+
import sys
|
| 4 |
+
import os
|
| 5 |
+
|
| 6 |
+
sys.path.insert(0, os.path.join(os.path.dirname(__file__), ".."))
|
| 7 |
+
|
| 8 |
+
from server.permit_env_environment import PermitEnvironment, TASKS
|
| 9 |
+
|
| 10 |
+
|
| 11 |
+
def test_same_seed_same_result():
|
| 12 |
+
"""Two resets with the same seed should produce identical observations."""
|
| 13 |
+
env = PermitEnvironment()
|
| 14 |
+
|
| 15 |
+
obs_a = env.reset(seed=42, task_name="medium_cafe")
|
| 16 |
+
obs_b = env.reset(seed=42, task_name="medium_cafe")
|
| 17 |
+
|
| 18 |
+
assert obs_a.budget_remaining == obs_b.budget_remaining
|
| 19 |
+
assert list(obs_a.permits.keys()) == list(obs_b.permits.keys())
|
| 20 |
+
for pid in obs_a.permits:
|
| 21 |
+
assert obs_a.permits[pid]["fee"] == obs_b.permits[pid]["fee"]
|
| 22 |
+
|
| 23 |
+
|
| 24 |
+
def test_different_seed_different_fees():
|
| 25 |
+
"""Two resets with different seeds should produce different fees."""
|
| 26 |
+
env = PermitEnvironment()
|
| 27 |
+
|
| 28 |
+
obs_a = env.reset(seed=1, task_name="easy_foodtruck")
|
| 29 |
+
obs_b = env.reset(seed=2, task_name="easy_foodtruck")
|
| 30 |
+
|
| 31 |
+
fees_a = {pid: p["fee"] for pid, p in obs_a.permits.items()}
|
| 32 |
+
fees_b = {pid: p["fee"] for pid, p in obs_b.permits.items()}
|
| 33 |
+
|
| 34 |
+
# At least one fee should differ (probability of all equal ≈ 0)
|
| 35 |
+
assert fees_a != fees_b, "Fees should differ between seeds"
|
| 36 |
+
|
| 37 |
+
|
| 38 |
+
def test_different_seed_different_budget():
|
| 39 |
+
"""Budget should be jittered between seeds."""
|
| 40 |
+
env = PermitEnvironment()
|
| 41 |
+
|
| 42 |
+
obs_a = env.reset(seed=10, task_name="hard_restaurant")
|
| 43 |
+
obs_b = env.reset(seed=20, task_name="hard_restaurant")
|
| 44 |
+
|
| 45 |
+
assert obs_a.budget_remaining != obs_b.budget_remaining
|
| 46 |
+
|
| 47 |
+
|
| 48 |
+
def test_permit_order_shuffled():
|
| 49 |
+
"""Permit iteration order should vary between seeds."""
|
| 50 |
+
env = PermitEnvironment()
|
| 51 |
+
|
| 52 |
+
orders = []
|
| 53 |
+
for seed in range(10):
|
| 54 |
+
obs = env.reset(seed=seed, task_name="hard_restaurant")
|
| 55 |
+
orders.append(list(obs.permits.keys()))
|
| 56 |
+
|
| 57 |
+
# At least 2 of 10 orders should be different
|
| 58 |
+
unique_orders = set(tuple(o) for o in orders)
|
| 59 |
+
assert len(unique_orders) >= 2, "Permit order should vary across seeds"
|
| 60 |
+
|
| 61 |
+
|
| 62 |
+
def test_fee_jitter_within_bounds():
|
| 63 |
+
"""Fees should be within +/-20% of the base fee."""
|
| 64 |
+
env = PermitEnvironment()
|
| 65 |
+
|
| 66 |
+
base_fees = {
|
| 67 |
+
pid: cfg["fee"]
|
| 68 |
+
for pid, cfg in TASKS["easy_foodtruck"]["permits"].items()
|
| 69 |
+
}
|
| 70 |
+
|
| 71 |
+
for seed in range(20):
|
| 72 |
+
obs = env.reset(seed=seed, task_name="easy_foodtruck")
|
| 73 |
+
for pid, p in obs.permits.items():
|
| 74 |
+
base = base_fees[pid]
|
| 75 |
+
low = base * 0.80 - 0.01 # tiny epsilon for float rounding
|
| 76 |
+
high = base * 1.20 + 0.01
|
| 77 |
+
assert low <= p["fee"] <= high, (
|
| 78 |
+
f"seed={seed} {pid} fee={p['fee']} outside [{low:.2f}, {high:.2f}]"
|
| 79 |
+
)
|
| 80 |
+
|
| 81 |
+
|
| 82 |
+
def test_budget_jitter_within_bounds():
|
| 83 |
+
"""Budget should be within +/-10% of the base budget."""
|
| 84 |
+
base_budget = TASKS["medium_cafe"]["budget"]
|
| 85 |
+
|
| 86 |
+
env = PermitEnvironment()
|
| 87 |
+
for seed in range(20):
|
| 88 |
+
obs = env.reset(seed=seed, task_name="medium_cafe")
|
| 89 |
+
low = base_budget * 0.90 - 0.01
|
| 90 |
+
high = base_budget * 1.10 + 0.01
|
| 91 |
+
assert low <= obs.budget_remaining <= high, (
|
| 92 |
+
f"seed={seed} budget={obs.budget_remaining} outside [{low:.2f}, {high:.2f}]"
|
| 93 |
+
)
|