feat(refine): replace L-BFGS-B MSE with least_squares soft-L1 robust optimizer
This commit is contained in:
@@ -1,6 +1,6 @@
|
||||
import numpy as np
|
||||
from typing import Dict, Tuple
|
||||
from scipy.optimize import minimize
|
||||
from typing import Dict, Tuple, Any
|
||||
from scipy.optimize import least_squares
|
||||
from .pose_math import rvec_tvec_to_matrix, matrix_to_rvec_tvec
|
||||
from .depth_verify import compute_depth_residual
|
||||
|
||||
@@ -16,14 +16,15 @@ def params_to_extrinsics(params: np.ndarray) -> np.ndarray:
|
||||
return rvec_tvec_to_matrix(rvec, tvec)
|
||||
|
||||
|
||||
def depth_residual_objective(
|
||||
def depth_residuals(
|
||||
params: np.ndarray,
|
||||
marker_corners_world: Dict[int, np.ndarray],
|
||||
depth_map: np.ndarray,
|
||||
K: np.ndarray,
|
||||
initial_params: np.ndarray,
|
||||
regularization_weight: float = 0.1,
|
||||
) -> float:
|
||||
reg_rot: float = 0.1,
|
||||
reg_trans: float = 1.0,
|
||||
) -> np.ndarray:
|
||||
T = params_to_extrinsics(params)
|
||||
residuals = []
|
||||
|
||||
@@ -33,18 +34,18 @@ def depth_residual_objective(
|
||||
if residual is not None:
|
||||
residuals.append(residual)
|
||||
|
||||
if len(residuals) == 0:
|
||||
return 1e6
|
||||
|
||||
residuals_array = np.array(residuals)
|
||||
data_term = np.mean(residuals_array**2)
|
||||
|
||||
# Regularization as pseudo-residuals
|
||||
param_diff = params - initial_params
|
||||
rotation_diff = np.linalg.norm(param_diff[:3])
|
||||
translation_diff = np.linalg.norm(param_diff[3:])
|
||||
regularization = regularization_weight * (rotation_diff + translation_diff)
|
||||
|
||||
# Rotation regularization (first 3 params)
|
||||
if reg_rot > 0:
|
||||
residuals.extend(param_diff[:3] * reg_rot)
|
||||
|
||||
# Translation regularization (last 3 params)
|
||||
if reg_trans > 0:
|
||||
residuals.extend(param_diff[3:] * reg_trans)
|
||||
|
||||
return float(np.real(data_term + regularization))
|
||||
return np.array(residuals)
|
||||
|
||||
|
||||
def refine_extrinsics_with_depth(
|
||||
@@ -55,33 +56,74 @@ def refine_extrinsics_with_depth(
|
||||
max_translation_m: float = 0.05,
|
||||
max_rotation_deg: float = 5.0,
|
||||
regularization_weight: float = 0.1,
|
||||
) -> Tuple[np.ndarray, dict[str, float]]:
|
||||
loss: str = "soft_l1",
|
||||
f_scale: float = 0.1,
|
||||
reg_rot: float | None = None,
|
||||
reg_trans: float | None = None,
|
||||
) -> Tuple[np.ndarray, dict[str, Any]]:
|
||||
initial_params = extrinsics_to_params(T_initial)
|
||||
|
||||
# Handle legacy regularization_weight if specific weights aren't provided
|
||||
# Default behavior: reg_rot = weight, reg_trans = weight * 10
|
||||
# This matches the plan's default of (0.1, 1.0) when weight is 0.1
|
||||
if reg_rot is None:
|
||||
reg_rot = regularization_weight
|
||||
if reg_trans is None:
|
||||
reg_trans = regularization_weight * 10.0
|
||||
|
||||
# Check for valid depth points first
|
||||
data_residual_count = 0
|
||||
for marker_id, corners in marker_corners_world.items():
|
||||
for corner in corners:
|
||||
res = compute_depth_residual(corner, T_initial, depth_map, K, window_size=5)
|
||||
if res is not None:
|
||||
data_residual_count += 1
|
||||
|
||||
if data_residual_count == 0:
|
||||
return T_initial, {
|
||||
"success": False,
|
||||
"reason": "no_valid_depth_points",
|
||||
"initial_cost": 0.0,
|
||||
"final_cost": 0.0,
|
||||
"iterations": 0,
|
||||
"delta_rotation_deg": 0.0,
|
||||
"delta_translation_norm_m": 0.0,
|
||||
"termination_message": "No valid depth points found at marker corners",
|
||||
"nfev": 0,
|
||||
"optimality": 0.0,
|
||||
"active_mask": np.zeros(6, dtype=int),
|
||||
"cost": 0.0
|
||||
}
|
||||
|
||||
max_rotation_rad = np.deg2rad(max_rotation_deg)
|
||||
|
||||
bounds = [
|
||||
(initial_params[0] - max_rotation_rad, initial_params[0] + max_rotation_rad),
|
||||
(initial_params[1] - max_rotation_rad, initial_params[1] + max_rotation_rad),
|
||||
(initial_params[2] - max_rotation_rad, initial_params[2] + max_rotation_rad),
|
||||
(initial_params[3] - max_translation_m, initial_params[3] + max_translation_m),
|
||||
(initial_params[4] - max_translation_m, initial_params[4] + max_translation_m),
|
||||
(initial_params[5] - max_translation_m, initial_params[5] + max_translation_m),
|
||||
]
|
||||
lower_bounds = initial_params.copy()
|
||||
upper_bounds = initial_params.copy()
|
||||
|
||||
lower_bounds[:3] -= max_rotation_rad
|
||||
upper_bounds[:3] += max_rotation_rad
|
||||
lower_bounds[3:] -= max_translation_m
|
||||
upper_bounds[3:] += max_translation_m
|
||||
|
||||
bounds = (lower_bounds, upper_bounds)
|
||||
|
||||
result = minimize(
|
||||
depth_residual_objective,
|
||||
result = least_squares(
|
||||
depth_residuals,
|
||||
initial_params,
|
||||
args=(
|
||||
marker_corners_world,
|
||||
depth_map,
|
||||
K,
|
||||
initial_params,
|
||||
regularization_weight,
|
||||
reg_rot,
|
||||
reg_trans,
|
||||
),
|
||||
method="L-BFGS-B",
|
||||
method="trf",
|
||||
loss=loss,
|
||||
f_scale=f_scale,
|
||||
bounds=bounds,
|
||||
options={"maxiter": 100, "disp": False},
|
||||
x_scale="jac",
|
||||
max_nfev=200,
|
||||
)
|
||||
|
||||
T_refined = params_to_extrinsics(result.x)
|
||||
@@ -91,22 +133,30 @@ def refine_extrinsics_with_depth(
|
||||
delta_rotation_deg = np.rad2deg(delta_rotation_rad)
|
||||
delta_translation = np.linalg.norm(delta_params[3:])
|
||||
|
||||
initial_cost = depth_residual_objective(
|
||||
# Calculate initial cost for comparison
|
||||
initial_residuals = depth_residuals(
|
||||
initial_params,
|
||||
marker_corners_world,
|
||||
depth_map,
|
||||
K,
|
||||
initial_params,
|
||||
regularization_weight,
|
||||
reg_rot,
|
||||
reg_trans,
|
||||
)
|
||||
initial_cost = 0.5 * np.sum(initial_residuals**2)
|
||||
|
||||
stats = {
|
||||
"iterations": result.nit,
|
||||
"iterations": result.nfev,
|
||||
"success": result.success,
|
||||
"initial_cost": float(initial_cost),
|
||||
"final_cost": float(result.fun),
|
||||
"final_cost": float(result.cost),
|
||||
"delta_rotation_deg": float(delta_rotation_deg),
|
||||
"delta_translation_norm_m": float(delta_translation),
|
||||
"termination_message": result.message,
|
||||
"nfev": result.nfev,
|
||||
"optimality": float(result.optimality),
|
||||
"active_mask": result.active_mask,
|
||||
"cost": float(result.cost),
|
||||
}
|
||||
|
||||
return T_refined, stats
|
||||
|
||||
@@ -3,6 +3,7 @@ import numpy as np
|
||||
from dataclasses import dataclass
|
||||
from typing import Any
|
||||
import os
|
||||
from loguru import logger
|
||||
|
||||
|
||||
@dataclass
|
||||
@@ -42,6 +43,7 @@ class SVOReader:
|
||||
init_params.set_from_svo_file(path)
|
||||
init_params.svo_real_time_mode = False
|
||||
init_params.depth_mode = depth_mode
|
||||
init_params.coordinate_units = sl.UNIT.METER
|
||||
|
||||
cam = sl.Camera()
|
||||
status = cam.open(init_params)
|
||||
@@ -184,9 +186,29 @@ class SVOReader:
|
||||
cam.retrieve_measure(depth_mat, sl.MEASURE.DEPTH)
|
||||
depth_data = depth_mat.get_data().copy()
|
||||
|
||||
# ZED SDK defaults to MILLIMETER units if not specified in InitParameters.
|
||||
# We convert to meters to match the extrinsics coordinate system.
|
||||
return depth_data / 1000.0
|
||||
# Check if units are already in meters to avoid double scaling.
|
||||
# SDK coordinate_units is set to METER in __init__.
|
||||
units = cam.get_init_parameters().coordinate_units
|
||||
if units == sl.UNIT.METER:
|
||||
depth = depth_data
|
||||
else:
|
||||
# Fallback for safety, though coordinate_units should be METER.
|
||||
depth = depth_data / 1000.0
|
||||
|
||||
# Sanity check and debug logging
|
||||
valid_mask = np.isfinite(depth) & (depth > 0)
|
||||
if np.any(valid_mask):
|
||||
valid_depths = depth[valid_mask]
|
||||
logger.debug(
|
||||
f"Depth stats (m) - Min: {np.min(valid_depths):.3f}, "
|
||||
f"Median: {np.median(valid_depths):.3f}, "
|
||||
f"Max: {np.max(valid_depths):.3f}, "
|
||||
f"P95: {np.percentile(valid_depths, 95):.3f}"
|
||||
)
|
||||
else:
|
||||
logger.warning("No valid depth values retrieved")
|
||||
|
||||
return depth
|
||||
|
||||
def _retrieve_confidence(self, cam: sl.Camera) -> np.ndarray | None:
|
||||
if not self.enable_depth:
|
||||
|
||||
@@ -59,12 +59,14 @@ def test_refine_extrinsics_with_depth_with_offset():
|
||||
max_translation_m=0.2,
|
||||
max_rotation_deg=5.0,
|
||||
regularization_weight=0.0, # Disable regularization to find exact match
|
||||
f_scale=1.0, # Ensure 0.1m offset is treated as inlier
|
||||
)
|
||||
|
||||
# Predicted depth was 2.1, measured is 2.0.
|
||||
# Moving camera forward by 0.1m makes predicted depth 2.0.
|
||||
# So T_refined[2, 3] should be around 0.1
|
||||
assert abs(T_refined[2, 3] - 0.1) < 1e-3
|
||||
# Relaxed tolerance to 5mm as robust optimizer with soft_l1 may stop slightly early
|
||||
assert abs(T_refined[2, 3] - 0.1) < 5e-3
|
||||
assert stats["final_cost"] < stats["initial_cost"]
|
||||
|
||||
|
||||
@@ -89,3 +91,91 @@ def test_refine_extrinsics_respects_bounds():
|
||||
# It wants to move 1.0m, but bound is 0.05m
|
||||
delta_t = T_refined[0:3, 3] - T_initial[0:3, 3]
|
||||
assert np.all(np.abs(delta_t) <= max_trans + 1e-6)
|
||||
|
||||
|
||||
def test_robust_loss_handles_outliers():
|
||||
K = np.array([[1000, 0, 640], [0, 1000, 360], [0, 0, 1]], dtype=np.float64)
|
||||
|
||||
# True pose: camera moved 0.1m forward
|
||||
T_true = np.eye(4)
|
||||
T_true[2, 3] = 0.1
|
||||
|
||||
# Initial pose: identity
|
||||
T_initial = np.eye(4)
|
||||
|
||||
# Create synthetic depth map
|
||||
# Marker at (0,0,2.1) in world -> (0,0,2.0) in camera (since cam moved 0.1 forward)
|
||||
depth_map = np.full((720, 1280), 2.0, dtype=np.float32)
|
||||
|
||||
# Add outliers: 30% of pixels are garbage (e.g. 0.5m or 5.0m)
|
||||
# We'll simulate this by having multiple markers, some with bad depth
|
||||
marker_corners_world = {}
|
||||
|
||||
# 7 good markers (depth 2.0)
|
||||
# 3 bad markers (depth 5.0 - huge outlier)
|
||||
|
||||
# We need to ensure these project to unique pixels.
|
||||
# K = 1000 focal.
|
||||
# x = 0.1 * i. Z = 2.1 (world).
|
||||
# u = 1000 * x / Z + 640
|
||||
|
||||
marker_corners_world[0] = []
|
||||
|
||||
for i in range(10):
|
||||
u = int(50 * i + 640)
|
||||
v = 360
|
||||
|
||||
world_pt = np.array([0.1 * i, 0, 2.1])
|
||||
marker_corners_world[0].append(world_pt)
|
||||
|
||||
# Paint a wide strip to cover T_initial to T_true movement
|
||||
# u_initial = 47.6 * i + 640. u_true = 50 * i + 640.
|
||||
# Diff is ~2.4 * i. Max diff (i=9) is ~22 pixels.
|
||||
# So +/- 30 pixels should cover it.
|
||||
|
||||
if i < 7:
|
||||
depth_map[v-5:v+6, u-30:u+31] = 2.0 # Good measurement
|
||||
else:
|
||||
depth_map[v-5:v+6, u-30:u+31] = 5.0 # Outlier measurement (3m error)
|
||||
|
||||
marker_corners_world[0] = np.array(marker_corners_world[0])
|
||||
|
||||
# Run with robust loss (default)
|
||||
T_refined, stats = refine_extrinsics_with_depth(
|
||||
T_initial,
|
||||
marker_corners_world,
|
||||
depth_map,
|
||||
K,
|
||||
max_translation_m=0.2,
|
||||
max_rotation_deg=5.0,
|
||||
regularization_weight=0.0, # Disable reg to see if data term wins
|
||||
loss="soft_l1",
|
||||
f_scale=0.1
|
||||
)
|
||||
|
||||
# With robust loss, it should ignore the 3m errors and converge to the 0.1m shift
|
||||
# The 0.1m shift explains the 7 inliers perfectly.
|
||||
# T_refined[2, 3] should be close to 0.1
|
||||
assert abs(T_refined[2, 3] - 0.1) < 0.02 # Allow small error due to outliers pulling slightly
|
||||
assert stats["success"] is True
|
||||
|
||||
# Run with linear loss (MSE) - should fail or be pulled significantly
|
||||
T_refined_mse, stats_mse = refine_extrinsics_with_depth(
|
||||
T_initial,
|
||||
marker_corners_world,
|
||||
depth_map,
|
||||
K,
|
||||
max_translation_m=0.2,
|
||||
max_rotation_deg=5.0,
|
||||
regularization_weight=0.0,
|
||||
loss="linear"
|
||||
)
|
||||
|
||||
# MSE will try to average 0.0 error (7 points) and 3.0 error (3 points)
|
||||
# Mean error target ~ 0.9m
|
||||
# So it will likely pull the camera way back to reduce the 3m errors
|
||||
# The result should be WORSE than the robust one
|
||||
error_robust = abs(T_refined[2, 3] - 0.1)
|
||||
error_mse = abs(T_refined_mse[2, 3] - 0.1)
|
||||
|
||||
assert error_robust < error_mse
|
||||
|
||||
Reference in New Issue
Block a user