use log::warn;
#[cfg(test)]
use runmat_builtins::Tensor;
use runmat_builtins::Value;
use runmat_macros::runtime_builtin;
use runmat_plot::plots::{ColorMap, ShadingMode, SurfacePlot};
use crate::builtins::common::spec::{
BroadcastSemantics, BuiltinFusionSpec, BuiltinGpuSpec, ConstantStrategy, GpuOpKind,
ReductionNaN, ResidencyPolicy, ShapeRequirements,
};
use super::common::{tensor_to_surface_grid, SurfaceDataInput};
use super::op_common::surface_inputs::{
axis_sources_from_xy_values, axis_sources_to_host, parse_surface_call_args, AxisSource,
};
use super::plotting_error;
use super::state::{render_active_plot, PlotRenderOptions};
use super::style::{parse_surface_style_args, SurfaceStyleDefaults};
use crate::builtins::plotting::type_resolvers::handle_scalar_type;
use crate::BuiltinResult;
use std::sync::Arc;
const BUILTIN_NAME: &str = "mesh";
#[runmat_macros::register_gpu_spec(builtin_path = "crate::builtins::plotting::mesh")]
pub const GPU_SPEC: BuiltinGpuSpec = BuiltinGpuSpec {
name: "mesh",
op_kind: GpuOpKind::PlotRender,
supported_precisions: &[],
broadcast: BroadcastSemantics::None,
provider_hooks: &[],
constant_strategy: ConstantStrategy::InlineLiteral,
residency: ResidencyPolicy::InheritInputs,
nan_mode: ReductionNaN::Include,
two_pass_threshold: None,
workgroup_size: None,
accepts_nan_mode: false,
notes: "Wireframe rendering terminates fusion graphs; gpuArray inputs may remain on device when shared plotting context is installed.",
};
#[runmat_macros::register_fusion_spec(builtin_path = "crate::builtins::plotting::mesh")]
pub const FUSION_SPEC: BuiltinFusionSpec = BuiltinFusionSpec {
name: "mesh",
shape: ShapeRequirements::Any,
constant_strategy: ConstantStrategy::InlineLiteral,
elementwise: None,
reduction: None,
emits_nan: false,
notes: "mesh terminates fusion graphs.",
};
#[runtime_builtin(
name = "mesh",
category = "plotting",
summary = "Render a MATLAB-compatible wireframe surface.",
keywords = "mesh,wireframe,surface,plotting",
sink = true,
suppress_auto_output = true,
type_resolver(handle_scalar_type),
builtin_path = "crate::builtins::plotting::mesh"
)]
pub async fn mesh_builtin(args: Vec<Value>) -> crate::BuiltinResult<f64> {
let (x, y, z, rest) = parse_surface_call_args(args, BUILTIN_NAME)?;
let z_input = SurfaceDataInput::from_value(z, "mesh")?;
let (rows, cols) = z_input.grid_shape(BUILTIN_NAME)?;
let (x_axis, y_axis) = axis_sources_from_xy_values(x, y, rows, cols, BUILTIN_NAME).await?;
let style = Arc::new(parse_surface_style_args(
"mesh",
&rest,
SurfaceStyleDefaults::new(
ColorMap::Turbo,
ShadingMode::Faceted,
true,
1.0,
false,
true,
),
)?);
let opts = PlotRenderOptions {
title: "Mesh Plot",
x_label: "X",
y_label: "Y",
axis_equal: false,
..Default::default()
};
let mut surface = if let Some(z_gpu) = z_input.gpu_handle().cloned() {
match super::gpu_helpers::axis_bounds_async(&z_gpu, BUILTIN_NAME).await {
Ok((min_z, max_z)) => match super::surf::build_surface_gpu_plot_with_bounds_async(
BUILTIN_NAME,
&x_axis,
&y_axis,
&z_gpu,
min_z,
max_z,
style.colormap,
style.alpha,
style.flatten_z,
)
.await
{
Ok(surface_gpu) => surface_gpu,
Err(err) => {
warn!("mesh GPU path unavailable: {err}");
build_mesh_cpu(&z_input, &x_axis, &y_axis).await?
}
},
Err(err) => {
warn!("mesh GPU bounds unavailable: {err}");
build_mesh_cpu(&z_input, &x_axis, &y_axis).await?
}
}
} else {
build_mesh_cpu(&z_input, &x_axis, &y_axis).await?
};
surface = surface
.with_colormap(ColorMap::Turbo)
.with_wireframe(true)
.with_shading(ShadingMode::Faceted);
style.apply_to_plot(&mut surface);
let mut surface_opt = Some(surface);
let plot_index_out = std::rc::Rc::new(std::cell::RefCell::new(None));
let plot_index_slot = std::rc::Rc::clone(&plot_index_out);
let figure_handle = crate::builtins::plotting::current_figure_handle();
let render_result = render_active_plot(BUILTIN_NAME, opts, move |figure, axes| {
let surface = surface_opt.take().expect("mesh plot consumed exactly once");
let plot_index = figure.add_surface_plot_on_axes(surface, axes);
*plot_index_slot.borrow_mut() = Some((axes, plot_index));
Ok(())
});
let Some((axes, plot_index)) = *plot_index_out.borrow() else {
return render_result.map(|_| f64::NAN);
};
let handle =
crate::builtins::plotting::state::register_surface_handle(figure_handle, axes, plot_index);
if let Err(err) = render_result {
let lower = err.to_string().to_lowercase();
if lower.contains("plotting is unavailable") || lower.contains("non-main thread") {
return Ok(handle);
}
return Err(err);
}
Ok(handle)
}
async fn build_mesh_cpu(
z_input: &SurfaceDataInput,
x_axis: &AxisSource,
y_axis: &AxisSource,
) -> BuiltinResult<SurfacePlot> {
let (x_host, y_host) = axis_sources_to_host(x_axis, y_axis, BUILTIN_NAME).await?;
let z_tensor = match z_input {
SurfaceDataInput::Host(t) => t.clone(),
SurfaceDataInput::Gpu(h) => {
super::common::gather_tensor_from_gpu_async(h.clone(), BUILTIN_NAME).await?
}
};
let grid = tensor_to_surface_grid(z_tensor, x_host.len(), y_host.len(), BUILTIN_NAME)?;
build_mesh_surface(x_host, y_host, grid)
}
pub(crate) fn build_mesh_surface(
x_axis: Vec<f64>,
y_axis: Vec<f64>,
z_grid: Vec<Vec<f64>>,
) -> BuiltinResult<SurfacePlot> {
if x_axis.is_empty() || y_axis.is_empty() {
return Err(plotting_error(
"mesh",
"mesh: axis vectors must be non-empty",
));
}
let surface = SurfacePlot::new(x_axis, y_axis, z_grid)
.map_err(|err| plotting_error("mesh", format!("mesh: {err}")))?
.with_colormap(ColorMap::Turbo)
.with_wireframe(true)
.with_shading(ShadingMode::Faceted);
Ok(surface)
}
#[cfg(test)]
pub(crate) mod tests {
use super::*;
use crate::builtins::plotting::tests::ensure_plot_test_env;
use runmat_builtins::{ResolveContext, Type};
fn setup_plot_tests() {
ensure_plot_test_env();
}
fn tensor_from(data: &[f64]) -> Tensor {
Tensor {
data: data.to_vec(),
shape: vec![data.len()],
rows: data.len(),
cols: 1,
dtype: runmat_builtins::NumericDType::F64,
}
}
#[cfg_attr(target_arch = "wasm32", wasm_bindgen_test::wasm_bindgen_test)]
#[test]
fn mesh_requires_matching_grid() {
setup_plot_tests();
let res = futures::executor::block_on(mesh_builtin(vec![
Value::Tensor(tensor_from(&[0.0])),
Value::Tensor(tensor_from(&[0.0, 1.0])),
Value::Tensor(Tensor {
data: vec![0.0],
shape: vec![1],
rows: 1,
cols: 1,
dtype: runmat_builtins::NumericDType::F64,
}),
]));
assert!(res.is_err());
}
#[test]
fn mesh_type_is_numeric_handle() {
assert_eq!(
handle_scalar_type(
&[Type::tensor(), Type::tensor(), Type::tensor()],
&ResolveContext::new(Vec::new())
),
Type::Num
);
}
}