1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275 | """
Spawn point utilities for placing UAVs at world edges.
Provides functions to generate spawn locations along the perimeter of a world
based on configuration, with optional margins from boundaries.
"""
import json
import random
from datetime import datetime
from .config import load_config, resolve_path
def calculate_edge_spawns(area_size, margin=1.0, count=4, distribution="uniform", z_height=2.0):
"""
Calculate spawn points along the edge of a square world.
Parameters
----------
area_size : float
Side length of the square world (e.g., 50 meters).
World spans [-area_size/2, area_size/2] in x and y.
margin : float
Distance inset from the boundary edge (default 1.0 m).
count : int
Number of spawn points to generate (default 4, one per edge).
distribution : str
'uniform' - evenly spaced along perimeter
'random' - randomly distributed along perimeter
(default 'uniform')
z_height : float
Height above ground for spawn pose (default 2.0 m).
Returns
-------
list[dict]
Each dict has keys: x, y, z
"""
half_side = area_size / 2.0
edge_x = half_side - margin
edge_y = half_side - margin
spawns = []
if distribution == "random":
for _ in range(count):
# randomly choose which edge
edge = random.choice(["north", "south", "east", "west"])
if edge == "north":
x = random.uniform(-edge_x, edge_x)
y = edge_y
elif edge == "south":
x = random.uniform(-edge_x, edge_x)
y = -edge_y
elif edge == "east":
x = edge_x
y = random.uniform(-edge_y, edge_y)
else: # west
x = -edge_x
y = random.uniform(-edge_y, edge_y)
spawns.append({"x": x, "y": y, "z": z_height})
else:
# uniform distribution: count/4 per edge, evenly spaced
per_edge = max(1, count // 4)
extra = count % 4
edges = [
("north", edge_y, lambda i, n: (-edge_x + i * 2 * edge_x / n, edge_y)),
("south", -edge_y, lambda i, n: (-edge_x + i * 2 * edge_x / n, -edge_y)),
("east", edge_x, lambda i, n: (edge_x, -edge_y + i * 2 * edge_y / n)),
("west", -edge_x, lambda i, n: (-edge_x, -edge_y + i * 2 * edge_y / n)),
]
edge_idx = 0
for i in range(count):
if edge_idx < len(edges):
name, _, pos_fn = edges[edge_idx]
n_on_edge = per_edge + (1 if extra > 0 else 0)
local_idx = i % n_on_edge
x, y = pos_fn(local_idx, n_on_edge)
spawns.append({"x": x, "y": y, "z": z_height})
if (i + 1) % n_on_edge == 0:
edge_idx += 1
if extra > 0:
extra -= 1
return spawns
def generate_spawn_points(
config_file,
world_file=None,
margin=1.0,
z_height=2.0,
count=4,
distribution="uniform",
seed=None,
):
"""
Generate spawn points for a given world configuration.
This function reads the world config, calculates edge-based spawn locations,
and optionally saves results to JSON.
Parameters
----------
config_file : str
Path to worldgen_run.yaml
world_file : str, optional
Path to generated world.sdf (informational only, not used for calculations)
margin : float
Distance inset from boundary (default 1.0 m)
z_height : float
Height above ground for spawns (default 2.0 m)
count : int
Number of spawn points (default 4)
distribution : str
'uniform' or 'random' distribution strategy (default 'uniform')
seed : int, optional
Random seed for reproducibility
Returns
-------
dict
Spawn metadata with keys: spawn_points, area_size, margin, z_height,
count, distribution, seed, timestamp
"""
if seed is not None:
random.seed(seed)
# Load config to get area_size
import os
config_path = os.path.abspath(config_file)
config = load_config(config_path)
# Determine project root (same way generate_world.py does it)
# We are in worldgen/forest_worldgen/, so ../../ is project root
script_dir = os.path.dirname(os.path.abspath(__file__))
project_root = os.path.abspath(os.path.join(script_dir, "..", ".."))
include_cfg = config.get("include")
if not isinstance(include_cfg, dict):
raise ValueError(
"Invalid worldgen run config: missing 'include' mapping. "
"Use configs/worldgen/worldgen_run.yaml-style config."
)
world_ref = include_cfg.get("world")
if not world_ref:
raise ValueError("Invalid worldgen run config: include.world is required")
world_path = resolve_path(world_ref, project_root)
world_config = load_config(world_path)
area_size = world_config["generation"]["area_size"]
# Calculate spawn points
spawn_points = calculate_edge_spawns(
area_size, margin=margin, count=count, distribution=distribution, z_height=z_height
)
return {
"spawn_points": spawn_points,
"area_size": area_size,
"margin": margin,
"z_height": z_height,
"count": count,
"distribution": distribution,
"seed": seed,
"timestamp": datetime.now().isoformat(),
}
def save_spawn_metadata(spawn_meta, output_path):
"""
Save spawn metadata to a JSON file.
Parameters
----------
spawn_meta : dict
Spawn metadata dictionary (from generate_spawn_points)
output_path : str
Path to write JSON file
"""
with open(output_path, "w") as f:
json.dump(spawn_meta, f, indent=2)
def main():
"""
Command-line interface for spawn point generation.
Usage:
python3 -m worldgen.forest_worldgen.spawn_utils <config_file> [--seed SEED] [--margin MARGIN] [--height HEIGHT] [--count COUNT] [--dist DIST]
"""
import sys
import os
if len(sys.argv) < 2:
print(
"Usage: python3 -m worldgen.forest_worldgen.spawn_utils <config_file> [--seed SEED] [--margin MARGIN] [--height HEIGHT] [--count COUNT] [--dist DIST]"
)
sys.exit(1)
config_file = os.path.abspath(sys.argv[1])
# Parse optional arguments
seed = None
margin = 1.0
z_height = 2.0
count = 4
distribution = "uniform"
i = 2
while i < len(sys.argv):
if sys.argv[i] == "--seed" and i + 1 < len(sys.argv):
seed = int(sys.argv[i + 1])
i += 2
elif sys.argv[i] == "--margin" and i + 1 < len(sys.argv):
margin = float(sys.argv[i + 1])
i += 2
elif sys.argv[i] == "--height" and i + 1 < len(sys.argv):
z_height = float(sys.argv[i + 1])
i += 2
elif sys.argv[i] == "--count" and i + 1 < len(sys.argv):
count = int(sys.argv[i + 1])
i += 2
elif sys.argv[i] == "--dist" and i + 1 < len(sys.argv):
distribution = sys.argv[i + 1]
i += 2
else:
i += 1
try:
spawn_meta = generate_spawn_points(
config_file,
margin=margin,
z_height=z_height,
count=count,
distribution=distribution,
seed=seed,
)
print(f"Spawn points calculated for area_size={spawn_meta['area_size']}")
print(f"Generated {len(spawn_meta['spawn_points'])} spawn points:")
for i, pt in enumerate(spawn_meta["spawn_points"]):
print(f" [{i}] x={pt['x']:.2f}, y={pt['y']:.2f}, z={pt['z']:.2f}")
# Optionally save to JSON
output_path = os.path.join(
os.path.dirname(config_file),
"..",
"..",
"worldgen",
"outputs",
"latest",
"spawn_points.json",
)
output_path = os.path.normpath(output_path)
os.makedirs(os.path.dirname(output_path), exist_ok=True)
save_spawn_metadata(spawn_meta, output_path)
print(f"Spawn metadata saved to: {output_path}")
except Exception as e:
print(f"Error: {e}")
raise
if __name__ == "__main__":
main()
|