MSProbe Debugging Guide#
During inference or training runs we often encounter accuracy anomalies such as outputs drifting away from the expectation, unstable numerical behavior (NaN/Inf), or predictions that no longer match the labels. To pinpoint the root cause we have to monitor and capture intermediate data produced while the model executes—feature maps, weights, activations, and layer outputs. By capturing key tensors at specific stages, logging I/O pairs for the core layers, and retaining contextual metadata (prompts, tensor dtypes, hardware configuration, etc.), we can systematically trace where the accuracy degradation or numerical error started. This guide describes the end-to-end workflow for diagnosing accuracy issues for AI models (with a focus on vllm-ascend services): preparation, data capture, and analysis & verification.
0. Background Concepts#
msprobe supports three accuracy levels:
L0: dumps tensors at the module level and generates
construct.jsonso that visualization tools can rebuild the network structure. A model or submodule handle must be passed in.L1: collects operator-level statistics only, which is suitable for lightweight troubleshooting.
mix: captures both structural information and operator statistics, which is useful when you need both graph reconstruction and numerical comparisons.
1. Prerequisites#
1.1 Install msprobe#
Install msprobe with pip:
pip install mindstudio-probe==8.3.0
1.2 Visualization dependencies (optional)#
Install additional dependencies if you need to visualize the captured data.
Install
tb_graph_ascend:pip install tb_graph_ascend
2. Collecting Data with msprobe#
We generally follow a coarse-to-fine strategy when capturing data. First, identify the token where the issue shows up, and then decide which range needs to be sampled around that token. The typical workflow is described below.
2.1 Prepare the dump configuration file#
Create a config.json that can be parsed by PrecisionDebugger and place it in an accessible path. Common fields are:
Field |
Description |
Required |
|---|---|---|
|
Type of dump task. Common PyTorch values include |
Yes |
|
Directory where dump results are stored. When omitted, |
No |
|
Ranks to sample. An empty list collects every rank. For single-card tasks, you must set this field to |
No |
|
Token iteration(s) to sample. An empty list means every iteration. |
No |
|
Dump level string ( |
Yes |
|
Whether to enable asynchronous dump (supported for PyTorch |
No |
|
Module range to sample. An empty list collects every module. |
No |
|
Operator range to sample. An empty list collects every operator. |
No |
To restrict the operators that are captured, configure the list block:
scope(list[str]): In PyTorch PyNative scenarios this field restricts the dump range. Provide two module or API names that follow the tool’s naming convention to lock a range; only data between the two names will be dumped. Examples:"scope": ["Module.conv1.Conv2d.forward.0", "Module.fc2.Linear.forward.0"] "scope": ["Cell.conv1.Conv2d.forward.0", "Cell.fc2.Dense.backward.0"] "scope": ["Tensor.add.0.forward", "Functional.square.2.forward"]
The
levelsetting determines what can be provided—modules whenlevel=L0, APIs whenlevel=L1, and either modules or APIs whenlevel=mix.list(list[str]): Custom operator list. Options include:Supply the full names of specific APIs in PyTorch pynative scenarios to only dump those APIs. Example:
"list": ["Tensor.permute.1.forward", "Tensor.transpose.2.forward", "Torch.relu.3.backward"].When
level=mix, you can provide module names so that the dump expands to everything produced while the module is running. Example:"list": ["Module.module.language_model.encoder.layers.0.mlp.ParallelMlp.forward.0"].Provide a substring such as
"list": ["relu"]to dump every API whose name contains the substring. Whenlevel=mix, modules whose names contain the substring are also expanded.
Example configuration:
cat <<'JSON' > /data/msprobe_config.json
{
"task": "statistics",
"dump_path": "/home/data_dump",
"rank": [],
"step": [],
"level": "L1",
"async_dump": false,
"statistics": {
"scope": [],
"list": [],
"tensor_list": [],
"data_mode": ["all"],
"summary_mode": "statistics"
}
}
JSON
2. Enable msprobe in vllm-ascend#
Start vLLM in eager mode by adding
--enforce-eager(static-graph scenarios are not supported yet) and pass the config path through--additional-config:vllm serve Qwen/Qwen2.5-0.5B-Instruct \ --dtype float16 \ --enforce-eager \ --host 0.0.0.0 \ --port 8000 \ --additional-config '{"dump_config_path": "/data/msprobe_config.json"}' &
3. Send requests and collect dumps#
Send inference requests as usual, for example:
curl http://localhost:8000/v1/completions \ -H "Content-Type: application/json" \ -d '{ "model": "Qwen/Qwen2.5-0.5B-Instruct", "prompt": "Explain gravity in one sentence.", "max_completion_tokens": 32, "temperature": 0 }' | python -m json.tool
Each request drives the sequence
msprobe: start -> forward/backward -> stop -> step. The runner invokesstep()on every code path, so you always get a complete dataset even if inference returns early.Dump files are written into
dump_path. They usually contain:Tensor files grouped by operator/module.
dump.json, which records metadata such as dtype, shape, min/max, andrequires_grad.construct.json, which is generated whenlevelisL0ormix(required for visualization).
Example directory layout:
├── dump_path │ ├── step0 │ │ ├── rank0 │ │ │ ├── dump_tensor_data │ │ │ │ ├── Tensor.permute.1.forward.pt │ │ │ │ ├── Functional.linear.5.backward.output.pt # Format: {api_type}.{api_name}.{call_count}.{forward/backward}.{input/output}.{arg_index}. │ │ │ │ │ # arg_index is the nth input or output of the API. If an input is a list, keep numbering with decimals (e.g., 1.1 is the first element of the first argument). │ │ │ │ ├── Module.conv1.Conv2d.forward.0.input.0.pt # Format: {Module}.{module_name}.{class_name}.{forward/backward}.{call_count}.{input/output}.{arg_index}. │ │ │ │ ├── Module.conv1.Conv2d.forward.0.parameters.bias.pt # Module parameter data: {Module}.{module_name}.{class_name}.forward.{call_count}.parameters.{parameter_name}. │ │ │ │ └── Module.conv1.Conv2d.parameters_grad.weight.pt # Module parameter gradients: {Module}.{module_name}.{class_name}.parameters_grad.{parameter_name}. Gradients do not include call_count because the same gradient updates all invocations. │ │ │ │ # When the `model` argument passed to dump is a List[torch.nn.Module] or Tuple[torch.nn.Module], module-level data names also include the index inside the list ({Module}.{index}.*), e.g., Module.0.conv1.Conv2d.forward.0.input.0.pt. │ │ │ ├── dump.json │ │ │ ├── stack.json │ │ │ ├── dump_error_info.log │ │ │ └── construct.json │ │ ├── rank1 │ │ │ ├── dump_tensor_data │ │ │ │ └── ... │ │ │ ├── dump.json │ │ │ ├── stack.json │ │ │ ├── dump_error_info.log │ │ │ └── construct.json │ │ ├── ... │ │ │ │ │ └── rank7 │ ├── step1 │ │ ├── ... │ ├── step2rank: Device ID. Each card writes its data to the correspondingrank{ID}directory. In non-distributed scenarios the directory is simply namedrank.dump_tensor_data: Tensor payloads that were collected.dump.json: Statistics for the forward/backward data of each API or module, including names, dtype, shape, max, min, mean, L2 norm (square root of the L2 variance), and CRC-32 whensummary_mode="md5". See dump.json file description for details.dump_error_info.log: Present only when the dump tool encountered an error and records the failure log.stack.json: Call stacks for APIs/modules.construct.json: Hierarchical structure description. Empty whenlevel=L1.
4. Analyze the results#
4.1 Prerequisites#
You typically need two dump datasets: one from the “problem side” (the run that exposes the accuracy or numerical error) and another from the “benchmark side” (a good baseline). These datasets do not have to be identical—they can come from different branches, framework versions, or even alternative implementations (operator substitutions, different graph-optimization switches, etc.). As long as they use the same or similar inputs, hardware topology, and sampling points (step/token), msprobe can compare them and locate the divergent nodes. If you cannot find a perfectly clean benchmark, start by capturing the problem-side data, craft the smallest reproducible case by hand, and perform a self-comparison. Below we assume the problem dump is problem_dump and the benchmark dump is bench_dump.
4.2 Visualization#
Use msprobe graph_visualize to generate results that can be opened inside tb_graph_ascend.
Ensure the dump contains
construct.json(i.e.,level = L0orlevel = mix).Prepare a comparison file such as
compare.json. Its format and generation flow are described in section 3.1.3 ofmsprobe_visualization.md. Example (minimal runnable snippet):{ "npu_path": "./problem_dump", "bench_path": "./bench_dump", "is_print_compare_log": true }
Replace the paths with your dump directories before invoking
msprobe graph_visualize. If you only need to build a single graph, omitbench_pathto visualize one dump.
Multi-rank scenarios (single rank, multi-rank, or multi-step multi-rank) are also supported.npu_pathorbench_pathmust contain folders namedrank+number, and every rank folder must contain a non-emptyconstruct.jsontogether withdump.jsonandstack.json. If anyconstruct.jsonis empty, verify that the dump level includesL0ormix. When comparing graphs, bothnpu_pathandbench_pathmust contain the same set of rank folders so they can be paired one-to-one.├── npu_path or bench_path | ├── rank0 | | ├── dump_tensor_data (only when the `tensor` option is enabled) | | | ├── Tensor.permute.1.forward.pt | | | ├── MyModule.0.forward.input.pt | | | ... | | | └── Function.linear.5.backward.output.pt | | ├── dump.json # Tensor metadata | | ├── stack.json # Operator call stack information | | └── construct.json # Hierarchical structure; empty when `level=L1` | ├── rank1 | | ├── dump_tensor_data | | | └── ... | | ├── dump.json | | ├── stack.json | | └── construct.json | ├── ... | | | └── rankn
Run:
msprobe graph_visualize \ --input_path ./compare.json \ --output_path ./graph_output
After the comparison finishes, a
*.vis.dbfile is created undergraph_output.Graph build:
build_{timestamp}.vis.dbGraph comparison:
compare_{timestamp}.vis.db
Launch
tensorboardand load the output directory to inspect structural differences, numerical comparisons, overflow detection results, cross-device communication nodes, and filters/search. Pass the directory containing the.vis.dbfiles to--logdir:tensorboard --logdir out_path --bind_all --port [optional_port]
Inspect the visualization. The UI usually displays the overall model structure with operators, parameters, and tensor I/O. Click any node to expand its children.
Difference visualization: Comparison results highlight divergent nodes with different colors (the larger the difference, the redder the node). Click a node to view its detailed information including tensor inputs/outputs, parameters, and operator type. Analyze the data difference and the surrounding connections to pinpoint the exact divergence.
Helper features:
Switch rank/step: Quickly check difference nodes on different ranks and steps.
Search/filter: Use the search box to filter nodes by operator name, etc.
Manual mapping: Automatic mapping cannot cover every case, so the tool lets you manually map nodes between the problem and benchmark graphs before generating comparison results.
5. Troubleshooting#
RuntimeError: Please enforce eager mode: Restart vLLM and add the--enforce-eagerflag.No dump files: Confirm that the JSON path is correct and every node has write permission. In distributed scenarios set
keep_all_ranksso that every rank writes its own dump.Dumps are too large: Start with a
statisticstask to locate abnormal tensors, then narrow the scope withscope/list/tensor_list,filters,token_range, etc.
Appendix#
dump.json file description#
L0 level#
An L0 dump.json contains forward/backward I/O for modules together with parameters and parameter gradients. Using PyTorch’s Conv2d as an example, the network code looks like:
output = self.conv2(input) # self.conv2 = torch.nn.Conv2d(64, 128, 5, padding=2, bias=True)
dump.json contains the following entries:
Module.conv2.Conv2d.forward.0: Forward data of the module.input_argsrepresents positional inputs,input_kwargsrepresents keyword inputs,outputstores forward outputs, andparametersstores weights/biases.Module.conv2.Conv2d.parameters_grad: Parameter gradients (weight and bias).Module.conv2.Conv2d.backward.0: Backward data of the module.inputrepresents gradients that flow into the module (gradients of the forward outputs) andoutputrepresents gradients that flow out (gradients of the module inputs).
Note: When the model parameter passed to the dump API is List[torch.nn.Module] or Tuple[torch.nn.Module], module-level names include the index inside the list ({Module}.{index}.*). Example: Module.0.conv1.Conv2d.forward.0.
{
"task": "tensor",
"level": "L0",
"framework": "pytorch",
"dump_data_dir": "/dump/path",
"data": {
"Module.conv2.Conv2d.forward.0": {
"input_args": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
8,
16,
14,
14
],
"Max": 1.638758659362793,
"Min": 0.0,
"Mean": 0.2544615864753723,
"Norm": 70.50277709960938,
"requires_grad": true,
"data_name": "Module.conv2.Conv2d.forward.0.input.0.pt"
}
],
"input_kwargs": {},
"output": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
8,
32,
10,
10
],
"Max": 1.6815717220306396,
"Min": -1.5120246410369873,
"Mean": -0.025344856083393097,
"Norm": 149.65576171875,
"requires_grad": true,
"data_name": "Module.conv2.Conv2d.forward.0.output.0.pt"
}
],
"parameters": {
"weight": {
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
5,
5
],
"Max": 0.05992485210299492,
"Min": -0.05999220535159111,
"Mean": -0.0006165213999338448,
"Norm": 3.421217441558838,
"requires_grad": true,
"data_name": "Module.conv2.Conv2d.forward.0.parameters.weight.pt"
},
"bias": {
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32
],
"Max": 0.05744686722755432,
"Min": -0.04894155263900757,
"Mean": 0.006410328671336174,
"Norm": 0.17263513803482056,
"requires_grad": true,
"data_name": "Module.conv2.Conv2d.forward.0.parameters.bias.pt"
}
}
},
"Module.conv2.Conv2d.parameters_grad": {
"weight": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
5,
5
],
"Max": 0.018550323322415352,
"Min": -0.008627401664853096,
"Mean": 0.0006675920449197292,
"Norm": 0.26084786653518677,
"requires_grad": false,
"data_name": "Module.conv2.Conv2d.parameters_grad.weight.pt"
}
],
"bias": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32
],
"Max": 0.014914230443537235,
"Min": -0.006656786892563105,
"Mean": 0.002657240955159068,
"Norm": 0.029451673850417137,
"requires_grad": false,
"data_name": "Module.conv2.Conv2d.parameters_grad.bias.pt"
}
]
},
"Module.conv2.Conv2d.backward.0": {
"input": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
8,
32,
10,
10
],
"Max": 0.0015069986693561077,
"Min": -0.001139344065450132,
"Mean": 3.3215508210560074e-06,
"Norm": 0.020567523315548897,
"requires_grad": false,
"data_name": "Module.conv2.Conv2d.backward.0.input.0.pt"
}
],
"output": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
8,
16,
14,
14
],
"Max": 0.0007466732058674097,
"Min": -0.00044813455315306783,
"Mean": 6.814070275140693e-06,
"Norm": 0.01474067009985447,
"requires_grad": false,
"data_name": "Module.conv2.Conv2d.backward.0.output.0.pt"
}
]
}
}
}
L1 level#
An L1 dump.json records forward/backward I/O for APIs. Using PyTorch’s relu function as an example (output = torch.nn.functional.relu(input)), the file contains:
Functional.relu.0.forward: Forward data of the API.input_argsare positional inputs,input_kwargsare keyword inputs, andoutputstores the forward outputs.Functional.relu.0.backward: Backward data of the API.inputrepresents the gradients of the forward outputs, andoutputrepresents the gradients that flow back to the forward inputs.
{
"task": "tensor",
"level": "L1",
"framework": "pytorch",
"dump_data_dir":"/dump/path",
"data": {
"Functional.relu.0.forward": {
"input_args": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
28,
28
],
"Max": 1.3864083290100098,
"Min": -1.3364859819412231,
"Mean": 0.03711778670549393,
"Norm": 236.20692443847656,
"requires_grad": true,
"data_name": "Functional.relu.0.forward.input.0.pt"
}
],
"input_kwargs": {},
"output": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
28,
28
],
"Max": 1.3864083290100098,
"Min": 0.0,
"Mean": 0.16849493980407715,
"Norm": 175.23345947265625,
"requires_grad": true,
"data_name": "Functional.relu.0.forward.output.0.pt"
}
]
},
"Functional.relu.0.backward": {
"input": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
28,
28
],
"Max": 0.0001815402356442064,
"Min": -0.00013352684618439525,
"Mean": 0.00011915402356442064,
"Norm": 0.007598237134516239,
"requires_grad": false,
"data_name": "Functional.relu.0.backward.input.0.pt"
}
],
"output": [
{
"type": "torch.Tensor",
"dtype": "torch.float32",
"shape": [
32,
16,
28,
28
],
"Max": 0.0001815402356442064,
"Min": -0.00012117840378778055,
"Mean": 2.0098118724831693e-08,
"Norm": 0.006532244384288788,
"requires_grad": false,
"data_name": "Functional.relu.0.backward.output.0.pt"
}
]
}
}
}
mix level#
A mix dump.json contains both L0 and L1 level data; the file format is the same as the examples above.