[OMNIML-3252][ONNX] Add real Q/DQ scales in Autotune#951
[OMNIML-3252][ONNX] Add real Q/DQ scales in Autotune#951gcunhase wants to merge 41 commits intoNVIDIA:mainfrom
Conversation
|
Note Reviews pausedIt looks like this branch is under active development. To avoid overwhelming you with review comments due to an influx of new commits, CodeRabbit has automatically paused this review. You can configure this behavior by changing the Use the following commands to manage reviews:
Use the checkboxes below for quick actions:
📝 WalkthroughWalkthroughAdds ONNX quantization autotune: CLI presets and flags, autotune workflows and helpers, integration of autotune results into FP8/INT8 quantizers and ORT configuration, defensive graph rewiring, an activation-op helper, and tests plus test-model helpers. Changes
Sequence DiagramsequenceDiagram
participant CLI as CLI
participant Entry as quantize CLI
participant Finder as _find_nodes_to_quantize_autotune
participant Autotune as Autotune Workflow
participant Quantizer as FP8/INT8 Quantizer
participant ORT as ORT Configurator
participant Model as ONNX Model
CLI->>Entry: invoke quantize(..., autotune=True)
Entry->>Entry: apply_mode_presets(args)
Entry->>Finder: _find_nodes_to_quantize_autotune(onnx_model,...)
Finder->>Autotune: region_pattern_autotuning_workflow(model_or_path, output_dir?)
Autotune->>Model: analyze regions & patterns
Autotune-->>Finder: resolved insertion points & configs
Finder->>Finder: get_resolved_insertion_points(best=True)
Finder->>Finder: get_ort_quantization_config()
Finder-->>Entry: nodes_to_quantize, no_quantize_inputs, op_types_needing_output_quant
Entry->>Quantizer: quantize(nodes_to_quantize,..., autotune=True)
Quantizer->>ORT: configure_ort(op_types_needing_output_quant)
ORT-->>Quantizer: configuration applied
Quantizer->>Model: apply quantization (skip pattern expansion for autotune)
Quantizer-->>Entry: quantized_model
Estimated code review effort🎯 4 (Complex) | ⏱️ ~45 minutes 🚥 Pre-merge checks | ✅ 4✅ Passed checks (4 passed)
✏️ Tip: You can configure your own custom pre-merge checks in the settings. ✨ Finishing Touches🧪 Generate unit tests (beta)
Comment |
There was a problem hiding this comment.
Actionable comments posted: 3
Caution
Some comments are outside the diff and can’t be posted inline due to platform limitations.
⚠️ Outside diff range comments (3)
tests/unit/onnx/quantization/autotune/test_region.py (1)
16-21:⚠️ Potential issue | 🟡 MinorRemove duplicate license text block.
Lines 16-21 duplicate the license disclaimer already present in lines 10-14. This appears to be a copy-paste error.
🔧 Proposed fix
# limitations under the License. - -# -# Unless required by applicable law or agreed to in writing, software -# distributed under the License is distributed on an "AS IS" BASIS, -# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. -# See the License for the specific language governing permissions and -# limitations under the License. """Tests for the Region class in the autotuner."""🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@tests/unit/onnx/quantization/autotune/test_region.py` around lines 16 - 21, Remove the duplicated license disclaimer block that was accidentally copy-pasted; locate the repeated Apache license/disclaimer text that appears a second time and delete the redundant block so only the original license header remains at the top of the file (ensure the first license header is preserved and no other content is altered).modelopt/onnx/quantization/fp8.py (1)
219-232:⚠️ Potential issue | 🟠 MajorPotential
AttributeErrorifnodes_to_excludeisNone.Same issue as in
int8.py: line 232 callsnodes_to_exclude.extend()before validation on line 236. Ifnodes_to_excludeis passed asNone, this will fail.🐛 Proposed fix
enable_gemv_detection_for_trt = kwargs.get("enable_gemv_detection_for_trt", True) + nodes_to_exclude = nodes_to_exclude or [] if enable_gemv_detection_for_trt and not autotune:🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/fp8.py` around lines 219 - 232, The block that calls nodes_to_exclude.extend(...) when enable_gemv_detection_for_trt and not autotune can raise AttributeError if nodes_to_exclude is None; before calling find_nodes_from_matmul_to_exclude and extending, ensure nodes_to_exclude is initialized to a list (e.g., if nodes_to_exclude is None assign an empty list) or guard the extend call by creating a new list and assigning it back to nodes_to_exclude; update the code around enable_gemv_detection_for_trt / autotune, the find_nodes_from_matmul_to_exclude call, and the nodes_to_exclude handling so extend is only called on a list.modelopt/onnx/quantization/int8.py (1)
161-174:⚠️ Potential issue | 🟠 MajorPotential
AttributeErrorifnodes_to_excludeisNone.When
enable_gemv_detection_for_trtisTrueandautotuneisFalse, line 174 callsnodes_to_exclude.extend()beforenodes_to_excludeis validated/converted byfind_nodes_to_exclude()on line 178. Ifnodes_to_excludeis passed asNone, this will raise anAttributeError.🐛 Proposed fix
enable_gemv_detection_for_trt = kwargs.get("enable_gemv_detection_for_trt", True) + nodes_to_exclude = nodes_to_exclude or [] if enable_gemv_detection_for_trt and not autotune:🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/int8.py` around lines 161 - 174, The code may call nodes_to_exclude.extend(...) when nodes_to_exclude can be None; ensure nodes_to_exclude is a list before extending: in the block guarded by enable_gemv_detection_for_trt and not autotune, either initialize nodes_to_exclude if None (e.g., nodes_to_exclude = nodes_to_exclude or []) or call find_nodes_to_exclude() earlier and assign/normalize nodes_to_exclude before using extend; update the logic around nodes_to_exclude, find_nodes_from_matmul_to_exclude, and find_nodes_to_exclude to guarantee nodes_to_exclude is always a list when extending.
🧹 Nitpick comments (3)
modelopt/onnx/quantization/quantize.py (1)
272-274: Filename replacement may fail with edge-case paths.Using
onnx_path.replace(".onnx", ".quant_autotune.onnx")could produce unexpected results if ".onnx" appears elsewhere in the path (e.g.,/models/onnx.models/model.onnx).💡 Safer alternative using path manipulation
+ import os # Export model with Q/DQ insertion - onnx_path_autotune = onnx_path.replace(".onnx", ".quant_autotune.onnx") + base, ext = os.path.splitext(onnx_path) + onnx_path_autotune = f"{base}.quant_autotune{ext}"🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/quantize.py` around lines 272 - 274, The filename construction using onnx_path.replace(".onnx", ".quant_autotune.onnx") can mis-replace when ".onnx" appears elsewhere in the path; change the logic that computes onnx_path_autotune to use proper path/suffix manipulation (e.g., Path(onnx_path).with_suffix(".quant_autotune.onnx") or equivalent) before calling autotuner.export_onnx and appending to intermediate_generated_files, updating references to onnx_path_autotune, onnx_path, and the autotuner.export_onnx call accordingly.modelopt/onnx/utils.py (1)
175-191: PotentialIndexErrorif input/output lists contain unexpected elements.The list comprehension assumes
inp.inputs[0]andout.outputs[0]exist wheninp.inputs/out.outputsare truthy. While graphsurgeon typically ensures non-empty lists here, adding explicit length checks would make this more robust.🛡️ Proposed defensive fix
return [ node for node in graph.nodes - if any(inp.inputs[0].op == "DequantizeLinear" for inp in node.inputs if inp.inputs) - or any(out.outputs[0].op == "QuantizeLinear" for out in node.outputs if out.outputs) + if any( + len(inp.inputs) > 0 and inp.inputs[0].op == "DequantizeLinear" + for inp in node.inputs + if inp.inputs + ) + or any( + len(out.outputs) > 0 and out.outputs[0].op == "QuantizeLinear" + for out in node.outputs + if out.outputs + ) ]🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/utils.py` around lines 175 - 191, The comprehension in get_quantized_nodes assumes inp.inputs[0] and out.outputs[0] exist and can raise IndexError; change the two any() guards to explicitly check length (or truthiness plus index-safe access) before indexing (e.g., ensure len(inp.inputs) > 0 and len(out.outputs) > 0) so you only evaluate inp.inputs[0].op == "DequantizeLinear" and out.outputs[0].op == "QuantizeLinear" when the lists have at least one element; update the generator to use these safe conditions around node.inputs and node.outputs to avoid crashes.modelopt/onnx/quantization/autotune/workflows.py (1)
202-203: Docstring should document temp directory behavior.The docstring for
output_dirdoesn't mention that whenNoneis provided, a temporary directory is automatically created viatempfile.mkdtemp(). This is important for API consumers to understand, especially since temp directories may accumulate ifkeep_output_dir=True(the default).📝 Suggested docstring update
- output_dir: Directory for output files (state, logs, models). Created if it doesn't exist. + output_dir: Directory for output files (state, logs, models). Created if it doesn't exist. + If None, a temporary directory is created via tempfile.mkdtemp().🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/autotune/workflows.py` around lines 202 - 203, Update the docstring for the output_dir parameter in the function/class that defines output_dir (the docstring in workflows.py around the autotune workflow) to explicitly state that when output_dir is None a temporary directory is created via tempfile.mkdtemp(), and note that the temporary directory will be retained if keep_output_dir=True (the default), so callers may need to remove it to avoid accumulation; reference the output_dir parameter name and the keep_output_dir flag in the description.
🤖 Prompt for all review comments with AI agents
Verify each finding against the current code and only fix it if needed.
Inline comments:
In `@modelopt/onnx/quantization/autotune/workflows.py`:
- Around line 386-390: The log message in the cleanup branch is inverted: inside
the if not keep_output_dir block (where shutil.rmtree(output_dir) is called)
update the logger.debug message to tell users to set keep_output_dir=True to
retain the directory; specifically modify the message emitted by logger.debug
near the removal call that references output_dir and keep_output_dir so it
correctly reads that setting keep_output_dir=True will keep the directory.
In `@modelopt/onnx/quantization/quantize.py`:
- Around line 246-253: The function _find_nodes_to_quantize_autotune uses a
mutable default for intermediate_generated_files (list[str] = []); change the
signature to use None as the default (intermediate_generated_files:
Optional[list[str]] = None) and inside the function, if
intermediate_generated_files is None then set intermediate_generated_files = []
so each call gets a fresh list; update any type hints/imports if needed and
ensure all code in _find_nodes_to_quantize_autotune that appends or inspects
intermediate_generated_files works with the new initialization.
In `@setup.py`:
- Line 62: The dependency entry for "cuda-python" in setup.py lacks a version
constraint and the inline comment "For autotune" is misleading; change the
dependency to include a minimum version compatible with your CUDA/driver/ONNX
Runtime stack (e.g., "cuda-python>=13.0") and update the comment to accurately
state its purpose (e.g., "CUDA Python bindings for GPU/driver interactions -
ensure matches CUDA/ONNX Runtime version"). Ensure this follows the same pinning
style as other dependencies like "onnxslim>=0.1.76" and "polygraphy>=0.49.22".
---
Outside diff comments:
In `@modelopt/onnx/quantization/fp8.py`:
- Around line 219-232: The block that calls nodes_to_exclude.extend(...) when
enable_gemv_detection_for_trt and not autotune can raise AttributeError if
nodes_to_exclude is None; before calling find_nodes_from_matmul_to_exclude and
extending, ensure nodes_to_exclude is initialized to a list (e.g., if
nodes_to_exclude is None assign an empty list) or guard the extend call by
creating a new list and assigning it back to nodes_to_exclude; update the code
around enable_gemv_detection_for_trt / autotune, the
find_nodes_from_matmul_to_exclude call, and the nodes_to_exclude handling so
extend is only called on a list.
In `@modelopt/onnx/quantization/int8.py`:
- Around line 161-174: The code may call nodes_to_exclude.extend(...) when
nodes_to_exclude can be None; ensure nodes_to_exclude is a list before
extending: in the block guarded by enable_gemv_detection_for_trt and not
autotune, either initialize nodes_to_exclude if None (e.g., nodes_to_exclude =
nodes_to_exclude or []) or call find_nodes_to_exclude() earlier and
assign/normalize nodes_to_exclude before using extend; update the logic around
nodes_to_exclude, find_nodes_from_matmul_to_exclude, and find_nodes_to_exclude
to guarantee nodes_to_exclude is always a list when extending.
In `@tests/unit/onnx/quantization/autotune/test_region.py`:
- Around line 16-21: Remove the duplicated license disclaimer block that was
accidentally copy-pasted; locate the repeated Apache license/disclaimer text
that appears a second time and delete the redundant block so only the original
license header remains at the top of the file (ensure the first license header
is preserved and no other content is altered).
---
Nitpick comments:
In `@modelopt/onnx/quantization/autotune/workflows.py`:
- Around line 202-203: Update the docstring for the output_dir parameter in the
function/class that defines output_dir (the docstring in workflows.py around the
autotune workflow) to explicitly state that when output_dir is None a temporary
directory is created via tempfile.mkdtemp(), and note that the temporary
directory will be retained if keep_output_dir=True (the default), so callers may
need to remove it to avoid accumulation; reference the output_dir parameter name
and the keep_output_dir flag in the description.
In `@modelopt/onnx/quantization/quantize.py`:
- Around line 272-274: The filename construction using
onnx_path.replace(".onnx", ".quant_autotune.onnx") can mis-replace when ".onnx"
appears elsewhere in the path; change the logic that computes onnx_path_autotune
to use proper path/suffix manipulation (e.g.,
Path(onnx_path).with_suffix(".quant_autotune.onnx") or equivalent) before
calling autotuner.export_onnx and appending to intermediate_generated_files,
updating references to onnx_path_autotune, onnx_path, and the
autotuner.export_onnx call accordingly.
In `@modelopt/onnx/utils.py`:
- Around line 175-191: The comprehension in get_quantized_nodes assumes
inp.inputs[0] and out.outputs[0] exist and can raise IndexError; change the two
any() guards to explicitly check length (or truthiness plus index-safe access)
before indexing (e.g., ensure len(inp.inputs) > 0 and len(out.outputs) > 0) so
you only evaluate inp.inputs[0].op == "DequantizeLinear" and out.outputs[0].op
== "QuantizeLinear" when the lists have at least one element; update the
generator to use these safe conditions around node.inputs and node.outputs to
avoid crashes.
ℹ️ Review info
Configuration used: Path: .coderabbit.yaml
Review profile: CHILL
Plan: Pro
📒 Files selected for processing (11)
modelopt/onnx/op_types.pymodelopt/onnx/quantization/__main__.pymodelopt/onnx/quantization/autotune/workflows.pymodelopt/onnx/quantization/fp8.pymodelopt/onnx/quantization/graph_utils.pymodelopt/onnx/quantization/int8.pymodelopt/onnx/quantization/ort_utils.pymodelopt/onnx/quantization/quantize.pymodelopt/onnx/utils.pysetup.pytests/unit/onnx/quantization/autotune/test_region.py
| @@ -242,6 +243,81 @@ def _preprocess_onnx( | |||
| ) | |||
|
|
|||
|
|
|||
There was a problem hiding this comment.
Overall Assessment
This PR is well-structured and achieves its stated goals of:
- Integrating Auto Q/DQ into the ONNX quantization workflow
- Enabling calibration data to obtain correct scales for Q/DQ nodes
The changes are substantial but well-organized across multiple files. Below are my detailed review comments.
There was a problem hiding this comment.
Pull request overview
Integrates ONNX Auto Q/DQ (TensorRT-driven autotuning) into the existing ONNX quantization workflow so Q/DQ placement can be derived from TensorRT profiling and then calibrated to produce real (non-random) Q/DQ scales.
Changes:
- Added an
--autotuneflag (andautotuneplumbing) to route INT8/FP8 quantization through the Auto Q/DQ placement workflow. - Introduced utilities to detect “quantized nodes” from a Q/DQ-inserted model and used this to drive node selection + ORT configuration tweaks (output quantization for certain producers).
- Updated autotune workflow API to accept in-memory models and optionally auto-manage its output directory.
Reviewed changes
Copilot reviewed 11 out of 11 changed files in this pull request and generated 9 comments.
Show a summary per file
| File | Description |
|---|---|
tests/unit/onnx/quantization/autotune/test_region.py |
Updates file header metadata. |
setup.py |
Adds cuda-python to ONNX optional dependencies to support TensorRT Python autotune benchmarking. |
modelopt/onnx/utils.py |
Adds get_quantized_nodes() helper for extracting quantized nodes from a Q/DQ graph. |
modelopt/onnx/quantization/quantize.py |
Adds autotune flag, integrates Auto Q/DQ placement, and feeds results into INT8/FP8 quantizers. |
modelopt/onnx/quantization/ort_utils.py |
Extends ORT configuration to optionally allow output quantization for selected op types. |
modelopt/onnx/quantization/int8.py |
Adds autotune plumbing and bypasses some default heuristics when autotune is enabled. |
modelopt/onnx/quantization/graph_utils.py |
Fixes partial-input Q/DQ removal to patch the intended consumer branch (shared Q/DQ case). |
modelopt/onnx/quantization/fp8.py |
Adds autotune plumbing and bypasses some default heuristics when autotune is enabled. |
modelopt/onnx/quantization/autotune/workflows.py |
Allows ModelProto input, optional output_dir, and adds optional output-dir cleanup. |
modelopt/onnx/quantization/__main__.py |
Adds CLI flag --autotune. |
modelopt/onnx/op_types.py |
Adds get_activation_ops() used by autotune integration logic. |
💡 Add Copilot custom instructions for smarter, more guided reviews. Learn how to get started.
modelopt-bot
left a comment
There was a problem hiding this comment.
Review completed. I've posted several inline comments on specific lines. Overall this is a well-structured PR that successfully integrates Auto Q/DQ into the ONNX quantization workflow. Key highlights include good integration via _find_nodes_to_quantize_autotune, flexible API changes for in-memory models, and an important bug fix for shared Q/DQ pair handling. Please address the inline comments regarding documentation completion, code organization suggestions, and the copyright year consistency. Recommend approving with minor changes.
ab4c5a3 to
c23208f
Compare
Codecov Report❌ Patch coverage is Additional details and impacted files@@ Coverage Diff @@
## main #951 +/- ##
==========================================
- Coverage 71.71% 71.59% -0.13%
==========================================
Files 211 211
Lines 23984 24034 +50
==========================================
+ Hits 17200 17207 +7
- Misses 6784 6827 +43 ☔ View full report in Codecov by Sentry. 🚀 New features to boost your workflow:
|
There was a problem hiding this comment.
Pull request overview
Copilot reviewed 12 out of 12 changed files in this pull request and generated 8 comments.
💡 Add Copilot custom instructions for smarter, more guided reviews. Learn how to get started.
tests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Outdated
Show resolved
Hide resolved
tests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Outdated
Show resolved
Hide resolved
| uses <output_dir>/autotuner_state.yaml (default: None) | ||
| quant_type: Quantization data type - "int8" for INT8 quantization (default), | ||
| "fp8" for FP8 quantization | ||
| default_dq_dtype: Dtype for DequantizeLinear output; "float32" (default) or "float16". |
There was a problem hiding this comment.
The default_dq_dtype docstring says only "float32" or "float16", but the quantization workflow now maps high_precision_dtype="bf16" to default_dq_dtype="bfloat16". Please update the docstring to include bfloat16 (or more generally state that any dtype supported by export_utils.resolve_dtype() is accepted).
| default_dq_dtype: Dtype for DequantizeLinear output; "float32" (default) or "float16". | |
| default_dq_dtype: Dtype for DequantizeLinear output; e.g. "float32" (default), "float16", | |
| "bfloat16", or any dtype supported by export_utils.resolve_dtype(). |
There was a problem hiding this comment.
@willg-nv is bfloat16 also supported in default_dq_dtype?
There was a problem hiding this comment.
BF16 is marked deprecated by TRT. I would suggest we don't support it as default dtype.
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
… silent corruption of the graph. Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
c147979 to
0a32bea
Compare
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
#998) ### What does this PR do? **Type of change**: Bug fix **Overview**: Replace CUDA memory management from CUDART to PyTorch (higher-level API). ### Usage ```python # Add a code snippet demonstrating how to use this ``` ### Testing 1. Added unittests. 2. Tested that this PR does not break #951 or #978 ### Before your PR is "*Ready for review*" Make sure you read and follow [Contributor guidelines](https://github.com/NVIDIA/Model-Optimizer/blob/main/CONTRIBUTING.md) and your commits are signed (`git commit -s -S`). Make sure you read and follow the [Security Best Practices](https://github.com/NVIDIA/Model-Optimizer/blob/main/SECURITY.md#security-coding-practices-for-contributors) (e.g. avoiding hardcoded `trust_remote_code=True`, using `torch.load(..., weights_only=True)`, avoiding `pickle`, etc.). - Is this change backward compatible?: ✅ - If you copied code from any other source, did you follow IP policy in [CONTRIBUTING.md](https://github.com/NVIDIA/Model-Optimizer/blob/main/CONTRIBUTING.md#-copying-code-from-other-sources)?: N/A <!--- Mandatory --> - Did you write any new necessary tests?: ✅ <!--- Mandatory for new features or examples. --> - Did you update [Changelog](https://github.com/NVIDIA/Model-Optimizer/blob/main/CHANGELOG.rst)?: N/A <!--- Only for new features, API changes, critical bug fixes or backward incompatible changes. --> ### Additional Information Summary of changes in `benchmark.py — TensorRTPyBenchmark`: | What changed | Before | After | |---|---|---| | Imports | `contextlib` + `from cuda.bindings import runtime as cudart` | `import torch` (conditional) | | Availability flag | `CUDART_AVAILABLE` | `TORCH_CUDA_AVAILABLE = torch.cuda.is_available()` | | `__init__` guard | checks `CUDART_AVAILABLE or cudart is None` | checks `TORCH_CUDA_AVAILABLE` | | `_alloc_pinned_host` | `cudaMallocHost` + ctypes address hack, returns `(ptr, arr, err)` | `torch.empty(...).pin_memory()`, returns `(tensor, tensor.numpy())` | | `_free_buffers` | `cudaFreeHost` + `cudaFree` per buffer | `bufs.clear()` — PyTorch GC handles deallocation | | `_allocate_buffers` | raw `device_ptr` integers, error-code returns | `torch.empty(..., device="cuda")`, `tensor.data_ptr()` for TRT address | | `_run_warmup` | `cudaMemcpyAsync` + `cudaStreamSynchronize` | `tensor.copy_(non_blocking=True)` inside `torch.cuda.stream()` | | `_run_timing` | same cudart pattern | same torch pattern | | `run` — stream lifecycle | `cudaStreamCreate()` / `cudaStreamDestroy()` | `torch.cuda.Stream()` / `del stream` | | `run` — stream arg to TRT | raw integer handle | `stream.cuda_stream` (integer property) | | Error handling | `cudaError_t` return codes | PyTorch raises `RuntimeError`, caught by existing `except Exception` | Related to #961 <!-- This is an auto-generated comment: release notes by coderabbit.ai --> ## Summary by CodeRabbit * **Refactor** * TensorRT benchmarking migrated from direct CUDA runtime calls to PyTorch CUDA tensors, pinned memory, and CUDA stream primitives — simplifying buffer management, transfers, and timing semantics. * **Tests** * Expanded GPU autotune benchmark tests with broader unit and integration coverage for CUDA/TensorRT paths, pinned-host/device buffering, stream behavior, warmup/timing, and end-to-end latency scenarios. <!-- end of auto-generated comment: release notes by coderabbit.ai --> --------- Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
There was a problem hiding this comment.
Actionable comments posted: 9
Caution
Some comments are outside the diff and can’t be posted inline due to platform limitations.
⚠️ Outside diff range comments (1)
modelopt/onnx/quantization/int8.py (1)
217-231:⚠️ Potential issue | 🟠 MajorKeep calibration-cache enforcement for autotune-selected producers.
iq_quantized_nodesonly marks nodes whose inputs appear in the cache. That misses the producer nodes autotune adds for output quantization, so the new autotune guard avoids dropping them — but it also leaves truly uncached nodes innodes_to_quantize. When the caller only suppliescalibration_cache_path, those nodes fall back to the randomCalibrationDataReadercreated inmodelopt/onnx/quantization/quantize.pylines 541-547. Autotune needs a separate cache filter that also recognizes cached producer outputs instead of bypassing the filter entirely.🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/int8.py` around lines 217 - 231, The current cache filter only marks nodes whose inputs appear in act_scales_dict (iq_quantized_nodes), which misses producer nodes added by autotune that have their *outputs* cached; update the logic that builds iq_quantized_nodes in the block guarded by calibration_cache_path so it also considers node outputs (after normalizing act_scales_dict keys the same way you do into quantized_tensors) in addition to inputs, then compute the intersection with nodes_to_quantize exactly as before (when not autotune) so any node that either consumes or produces a cached tensor remains eligible for quantization; adjust references to graph.nodes, iq_quantized_nodes, quantized_tensors, nodes_to_quantize, calibration_cache_path, act_scales_dict and autotune accordingly.
🧹 Nitpick comments (1)
tests/_test_utils/onnx/quantization/autotune/models.py (1)
59-95: Reduce the default test tensor size.This helper builds a multi-billion-op model by default (
1024x1024input), which makes the downstream GPU autotune integration path much slower and flakier than necessary for a placement test. Please parameterize the spatial size or default it to something much smaller.♻️ Suggested adjustment
-def _create_simple_resnet18_model(): +def _create_simple_resnet18_model(input_hw: int = 224): """Build a ResNet-18 subgraph (stem + layer1) for MOQ + Autotuner integration tests. @@ - Input shape: [1, 3, 1024, 1024], output shape: [1, 64, 256, 256]. + Input shape: [1, 3, input_hw, input_hw]. """ @@ - input_tensor = torch.zeros(1, 3, 1024, 1024) + input_tensor = torch.zeros(1, 3, input_hw, input_hw)Based on learnings GPU-based unit tests in tests/gpu should be fast and in most cases not take more than a few seconds to run.
🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@tests/_test_utils/onnx/quantization/autotune/models.py` around lines 59 - 95, The test helper _create_simple_resnet18_model() uses a huge default input (1,3,1024,1024) which makes GPU autotune tests slow; change the function to accept a spatial_size parameter with a much smaller default (e.g., 64 or 128), use that parameter when constructing input_tensor and any shape-related comments, and keep the model classes (_BasicBlock and _Model) unchanged; also update any tests that call _create_simple_resnet18_model() to pass an explicit spatial_size when they need the large input.
🤖 Prompt for all review comments with AI agents
Verify each finding against the current code and only fix it if needed.
Inline comments:
In `@modelopt/onnx/quantization/__main__.py`:
- Around line 458-463: The call to
get_node_filter_list(args.autotune_node_filter_list) runs even when autotune is
disabled, causing failures for plain PTQ runs; change the logic so
get_node_filter_list is invoked only when autotune_enabled is true (i.e., move
or wrap the get_node_filter_list call inside the same autotune_enabled branch
that calls apply_mode_presets), referencing the existing autotune_enabled
variable and args.autotune_node_filter_list so the filter list is only parsed
when apply_mode_presets/autotune are active.
In `@modelopt/onnx/quantization/autotune/autotuner_base.py`:
- Around line 522-530: The current code resolves producers via node.name which
is optional and non-unique; instead build a stable producer mapping and lookup
by output tensor identity: create a mapping from each node's output tensor names
to its index (e.g., iterate graph.nodes and for each node.outputs add mapping
output_name -> node_index), then in the loop use tensor.inputs[0].name to find
the producer index via that output_name mapping; as a fallback, if
tensor.inputs[0] has no name or isn’t found, fall back to scanning graph.nodes
to match the producing output object/identity to find its index (use symbols
node_name_to_idx -> replace with output_name_to_idx, graph.nodes, tensor.inputs,
covered, quantized_node_indices, nodes_to_quantize).
In `@modelopt/onnx/quantization/autotune/workflows.py`:
- Around line 220-223: The code creates a persistent temp folder when output_dir
is not provided (using tempfile.mkdtemp() and Path(...).mkdir()) but never
returns or cleans it up; change this to use tempfile.TemporaryDirectory() (or
create and track the TemporaryDirectory object) so the temp dir is removed when
done, or explicitly return the created path and document ownership so callers
can clean it up; update the logic around output_dir, tempfile.mkdtemp(), and the
output_dir.mkdir(...) call (or add a cleanup hook) so temp dirs are not
orphaned.
In `@modelopt/onnx/quantization/int8.py`:
- Around line 199-203: The code currently only calls
expand_node_names_from_patterns(graph, nodes_to_quantize) inside the if not
autotune branch, so regex patterns in nodes_to_quantize are not expanded when
autotune is True; change the logic so nodes_to_quantize =
expand_node_names_from_patterns(graph, nodes_to_quantize) is executed
unconditionally (before or independent of the autotune branch) so that
nodes_to_quantize patterns are expanded into concrete node names even when
autotune is enabled, keeping subsequent behavior the same.
In `@modelopt/onnx/quantization/quantize.py`:
- Around line 576-580: The code in quantize(...) is overwriting the
caller-provided op_types_to_quantize with the full autotuner list returned by
get_ort_quantization_config(); change this so that when autotune is enabled you
intersect the autotuner's op-type set with the caller's op_types_to_quantize (or
raise an error if both cannot be combined) instead of assigning it
wholesale—locate the block where get_ort_quantization_config() is called and
nodes_to_quantize_autotune, op_types_to_quantize, no_quantize_inputs are
unpacked and update it to compute the intersection (or validate mutual
exclusivity) between the returned op types and the existing op_types_to_quantize
argument before proceeding.
- Around line 270-277: init_benchmark_instance() can return None on failure but
the caller currently ignores that; modify the call so you capture its return
(e.g., benchmark = init_benchmark_instance(...)) and immediately fail fast if
benchmark is falsy by raising an exception or returning an error before
continuing into the autotune workflow; ensure the error includes context (that
TensorRT benchmark initialization failed) and any relevant inputs
(use_trtexec/trtexec_args) so upstream logic does not proceed when
init_benchmark_instance() fails.
In `@tests/gpu/onnx/quantization/test_autotune_quantization_integration.py`:
- Around line 76-81: The GPU test is too heavy: reduce the benchmark warmup and
run counts and trim the autotuner's scheme search; call init_benchmark_instance
with much smaller workload (e.g., warmup=1 and runs=3) instead of defaults and
pass a reduced search limit to region_pattern_autotuning_workflow (e.g.,
schemes_per_region=5 or max_schemes_per_region=5) when constructing autotuner
for onnx_model (keep quant_type="int8" and default_dq_dtype="float16"); update
the init_benchmark_instance(...) and region_pattern_autotuning_workflow(...)
calls accordingly so the test completes in seconds.
- Around line 57-58: The test incorrectly calls pathlib.Path.replace() (a
filesystem rename) on onnx_path; change the output_path computation so it
performs string-like suffix replacement instead, e.g. use
onnx_path.with_suffix(".quant.onnx") or build the filename via onnx_path.parent
/ (onnx_path.stem + ".quant.onnx") when setting output_path (do not call
Path.replace).
---
Outside diff comments:
In `@modelopt/onnx/quantization/int8.py`:
- Around line 217-231: The current cache filter only marks nodes whose inputs
appear in act_scales_dict (iq_quantized_nodes), which misses producer nodes
added by autotune that have their *outputs* cached; update the logic that builds
iq_quantized_nodes in the block guarded by calibration_cache_path so it also
considers node outputs (after normalizing act_scales_dict keys the same way you
do into quantized_tensors) in addition to inputs, then compute the intersection
with nodes_to_quantize exactly as before (when not autotune) so any node that
either consumes or produces a cached tensor remains eligible for quantization;
adjust references to graph.nodes, iq_quantized_nodes, quantized_tensors,
nodes_to_quantize, calibration_cache_path, act_scales_dict and autotune
accordingly.
---
Nitpick comments:
In `@tests/_test_utils/onnx/quantization/autotune/models.py`:
- Around line 59-95: The test helper _create_simple_resnet18_model() uses a huge
default input (1,3,1024,1024) which makes GPU autotune tests slow; change the
function to accept a spatial_size parameter with a much smaller default (e.g.,
64 or 128), use that parameter when constructing input_tensor and any
shape-related comments, and keep the model classes (_BasicBlock and _Model)
unchanged; also update any tests that call _create_simple_resnet18_model() to
pass an explicit spatial_size when they need the large input.
ℹ️ Review info
⚙️ Run configuration
Configuration used: Path: .coderabbit.yaml
Review profile: CHILL
Plan: Pro
Run ID: 02a656a5-64f7-4cb8-a72d-605282bacb60
📒 Files selected for processing (13)
modelopt/onnx/op_types.pymodelopt/onnx/quantization/__main__.pymodelopt/onnx/quantization/autotune/__init__.pymodelopt/onnx/quantization/autotune/__main__.pymodelopt/onnx/quantization/autotune/autotuner_base.pymodelopt/onnx/quantization/autotune/workflows.pymodelopt/onnx/quantization/fp8.pymodelopt/onnx/quantization/graph_utils.pymodelopt/onnx/quantization/int8.pymodelopt/onnx/quantization/ort_utils.pymodelopt/onnx/quantization/quantize.pytests/_test_utils/onnx/quantization/autotune/models.pytests/gpu/onnx/quantization/test_autotune_quantization_integration.py
🚧 Files skipped from review as they are similar to previous changes (1)
- modelopt/onnx/quantization/graph_utils.py
tests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Outdated
Show resolved
Hide resolved
There was a problem hiding this comment.
♻️ Duplicate comments (1)
modelopt/onnx/quantization/__main__.py (1)
458-462:⚠️ Potential issue | 🟡 MinorOnly load the filter list when autotune is enabled.
get_node_filter_listis called unconditionally at line 462, but it should only be invoked whenautotune_enabledisTrue. Passing--autotune_node_filter_listwithout--autotunewill currently attempt to validate and load the file unnecessarily.🐛 Suggested fix
# Autotune configs autotune_enabled = args.autotune is not None if autotune_enabled: apply_mode_presets(args) - autotune_node_filter_list = get_node_filter_list(args.autotune_node_filter_list) + autotune_node_filter_list = get_node_filter_list(args.autotune_node_filter_list) + else: + autotune_node_filter_list = None🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/__main__.py` around lines 458 - 462, The call to get_node_filter_list(args.autotune_node_filter_list) runs regardless of autotune_enabled; change the logic so get_node_filter_list is only invoked when autotune_enabled is True (i.e., move or wrap the call inside the same if block that calls apply_mode_presets), using the existing variables autotune_enabled, apply_mode_presets, and args.autotune_node_filter_list to ensure the filter file is only validated/loaded when --autotune is enabled.
🧹 Nitpick comments (1)
modelopt/onnx/quantization/autotune/__main__.py (1)
121-139: Type hint and encoding improvements.Two minor issues:
- The parameter
node_filter_list_pathis typed asstrbut acceptsNone(checked at line 131). Should bestr | None.- The
open()call should specifyencoding="utf-8"for cross-platform consistency.♻️ Suggested fix
-def get_node_filter_list(node_filter_list_path: str) -> list | None: +def get_node_filter_list(node_filter_list_path: str | None) -> list | None: """Extract node filter list from node filters path. Args: node_filter_list_path: Path to a file containing wildcard patterns to filter ONNX nodes (one pattern per line). Returns: Node filter list """ node_filter_list = None if node_filter_list_path: filter_file = validate_file_path(node_filter_list_path, "Node filter list file") if filter_file: - with open(filter_file) as f: + with open(filter_file, encoding="utf-8") as f: node_filter_list = [ line.strip() for line in f if line.strip() and not line.strip().startswith("#") ] logger.info(f"Loaded {len(node_filter_list)} filter patterns from {filter_file}") return node_filter_list🤖 Prompt for AI Agents
Verify each finding against the current code and only fix it if needed. In `@modelopt/onnx/quantization/autotune/__main__.py` around lines 121 - 139, Update the get_node_filter_list signature to accept an optional path (change parameter type to str | None) and ensure file reads are UTF-8 encoded; inside get_node_filter_list (which calls validate_file_path) adjust the annotation for node_filter_list_path to allow None and open the returned filter_file with encoding="utf-8" when building node_filter_list, preserving the existing comment/skip logic and logging behavior.
🤖 Prompt for all review comments with AI agents
Verify each finding against the current code and only fix it if needed.
Duplicate comments:
In `@modelopt/onnx/quantization/__main__.py`:
- Around line 458-462: The call to
get_node_filter_list(args.autotune_node_filter_list) runs regardless of
autotune_enabled; change the logic so get_node_filter_list is only invoked when
autotune_enabled is True (i.e., move or wrap the call inside the same if block
that calls apply_mode_presets), using the existing variables autotune_enabled,
apply_mode_presets, and args.autotune_node_filter_list to ensure the filter file
is only validated/loaded when --autotune is enabled.
---
Nitpick comments:
In `@modelopt/onnx/quantization/autotune/__main__.py`:
- Around line 121-139: Update the get_node_filter_list signature to accept an
optional path (change parameter type to str | None) and ensure file reads are
UTF-8 encoded; inside get_node_filter_list (which calls validate_file_path)
adjust the annotation for node_filter_list_path to allow None and open the
returned filter_file with encoding="utf-8" when building node_filter_list,
preserving the existing comment/skip logic and logging behavior.
ℹ️ Review info
⚙️ Run configuration
Configuration used: Path: .coderabbit.yaml
Review profile: CHILL
Plan: Pro
Run ID: 3a0d6d32-0e48-48d1-a1c2-b544bc1f3e60
📒 Files selected for processing (3)
modelopt/onnx/quantization/__main__.pymodelopt/onnx/quantization/autotune/__init__.pymodelopt/onnx/quantization/autotune/__main__.py
🚧 Files skipped from review as they are similar to previous changes (1)
- modelopt/onnx/quantization/autotune/init.py
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
There was a problem hiding this comment.
Actionable comments posted: 1
🤖 Prompt for all review comments with AI agents
Verify each finding against the current code and only fix it if needed.
Inline comments:
In `@modelopt/onnx/quantization/autotune/autotuner_base.py`:
- Around line 503-528: ResolvedInsertionPoint entries that are pure tensor-level
locations with no consumers are dropped because the loop only expands to
consumer (node,input) pairs; to fix, when iterating resolved_ips detect
tensor-level insertions whose graph.tensor_users_map.get(ip.tensor_name, []) is
empty and then locate the producer node that outputs that tensor (scan
graph.nodes for a node with an output whose name equals ip.tensor_name or use an
existing producer lookup) and add the corresponding (producer_idx, output_index)
into covered and producer_idx into quantized_node_indices so the producer is
preserved in get_ort_quantization_config() (refer to resolved_ips, covered,
graph.tensor_users_map, node_name_to_idx, quantized_node_indices,
get_ort_quantization_config(), export_onnx()).
ℹ️ Review info
⚙️ Run configuration
Configuration used: Path: .coderabbit.yaml
Review profile: CHILL
Plan: Pro
Run ID: a001dc52-7976-4fb8-95ca-653dcb5f056c
📒 Files selected for processing (1)
modelopt/onnx/quantization/autotune/autotuner_base.py
There was a problem hiding this comment.
Pull request overview
Copilot reviewed 13 out of 13 changed files in this pull request and generated 6 comments.
💡 Add Copilot custom instructions for smarter, more guided reviews. Learn how to get started.
tests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Outdated
Show resolved
Hide resolved
tests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Outdated
Show resolved
Hide resolved
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
There was a problem hiding this comment.
Actionable comments posted: 2
♻️ Duplicate comments (1)
modelopt/onnx/quantization/quantize.py (1)
606-611:⚠️ Potential issue | 🟠 MajorPreserve the caller’s
op_types_to_quantizefilter in autotune mode.
_find_nodes_to_quantize_autotune()returns the autotuner’s full quantizable-op set, and rebindingop_types_to_quantizehere discards any narrower filter the caller passed in.quantize(..., autotune=True, op_types_to_quantize=["Conv"])can still quantize other op types once Line 641 forwards the overwritten list. Intersect the autotuner result with the caller filter, or reject the combination explicitly.Also applies to: 641-641
🤖 Prompt for all review comments with AI agents
Verify each finding against the current code and only fix it if needed.
Inline comments:
In `@modelopt/onnx/quantization/quantize.py`:
- Around line 49-53: The module-level imports of MODE_PRESETS,
init_benchmark_instance, and region_pattern_autotuning_workflow are loading
benchmark dependencies even when autotune=False; move MODE_PRESETS into a
lightweight defaults submodule (e.g., quantization_defaults) that has no
benchmark imports, and remove the top-level imports of init_benchmark_instance
and region_pattern_autotuning_workflow; then perform lazy imports of
init_benchmark_instance and region_pattern_autotuning_workflow inside the
autotune branch of the quantize() function so those benchmark modules are only
loaded when autotune is requested.
ℹ️ Review info
⚙️ Run configuration
Configuration used: Path: .coderabbit.yaml
Review profile: CHILL
Plan: Pro
Run ID: 4bbdd21b-62e4-43e4-a5a6-baef6b4dc459
📒 Files selected for processing (5)
modelopt/onnx/quantization/__main__.pymodelopt/onnx/quantization/autotune/__main__.pymodelopt/onnx/quantization/autotune/workflows.pymodelopt/onnx/quantization/quantize.pytests/gpu/onnx/quantization/test_autotune_quantization_integration.py
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Summary of Remaining Actionable ItemsThanks for all the work on this PR! I've reviewed the conversation history and identified the following items that still need attention: 🔴 Critical Issues (Should Address)
🟡 Minor Issues (Nice to Have)
Next StepsCould you please address items 1 and 2 (the critical issues) before we proceed? Items 3 and 4 are lower priority but would be nice to have. Let me know if you need any clarification on these points! Generated by review bot - please address these items before merge |
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
|
Responding to modelopt-bot's review: Agree:
Disagree / nuance:
One thing the bot missed:
Overall I agree with the bot's verdict: the core integration is sound, |
…ize overwrite and other flags (should have the same behavior as pre-autotune) Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
nodes_to_exclude = nodes_to_exclude or []
op_types_to_quantize = op_types_to_quantize or op_types_to_quantize_autotune
|
Signed-off-by: gcunhase <4861122+gcunhase@users.noreply.github.com>
Replies:
|
| """ | ||
|
|
||
| # Expose Autotune modes and args | ||
| from .__main__ import MODE_PRESETS, StoreWithExplicitFlag, get_node_filter_list |
There was a problem hiding this comment.
I think it is better to move get_node_filter_list() to common.py or utils.py?
| from modelopt.onnx.op_types import is_data_dependent_shape_op | ||
|
|
||
| try: | ||
| from modelopt.onnx.quantization.autotune.workflows import ( |
There was a problem hiding this comment.
Why would internal importing cause ImportError?
What does this PR do?
Type of change: New feature
Overview: ONNX Autotune (also called Auto Q/DQ) is currently and standalone feature of ModelOpt that automatically adds Q/DQ where relevant according to information obtained from TensorRT inference. One issue is that the scales in those Q/DQ nodes are random.
This PR does 2 major things:
Usage
Testing
Added unittest for Q/DQ node placement validation:
tests/gpu/onnx/quantization/test_autotune_quantization_integration.pyVerified that accuracy was recovered by integrating MOQ with Autotune. Results on RTX 3090 with TRT 10.12.0.36 (
--stronglyTyped) with ViT, as perexamples/onnx_ptq:Notice that accuracy was mostly recovered from standalone Autotune to MOQ + Autotune (real Q/DQ scales). The drop in accuracy between MOQ and MOQ + Autotune is likely due to some sensitive nodes being quantized, such as
BiasAdd.Before your PR is "Ready for review"
Summary by CodeRabbit
New Features
Bug Fixes
Tests
Additional information
To reproduce accuracy with ViT, call
download_example_onnx.pyandimage_prep.pywithout--fp16.If
--fp16is used here, quantizing this model with--autotuneresults in the following error:This is fixed in #978.