-
Notifications
You must be signed in to change notification settings - Fork 603
Add aot example with Neutron Backend #10871
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Draft
robert-kalmar
wants to merge
1
commit into
pytorch:main
Choose a base branch
from
nxp-upstream:upstream/release-mcux-25.03-full/aot-example
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
+576
−0
Draft
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,19 @@ | ||
# PyTorch Model Delegation to Neutron Backend | ||
|
||
In this guideline we will show how to use the ExecuTorch AoT part to convert a PyTorch model to ExecuTorch format and delegate the model computation to eIQ Neutron NPU using the eIQ Neutron Backend. | ||
|
||
First we will start with an example script converting the model. This example show the CifarNet model preparation. It is the same model which is part of the `example_cifarnet` | ||
|
||
The steps are expected to be executed from the executorch root folder. | ||
1. Run the setup.sh script to install the neutron-converter: | ||
```commandline | ||
$ examples/nxp/setup.sh | ||
``` | ||
|
||
2. Now run the `aot_neutron_compile.py` example with the `cifar10` model | ||
```commandline | ||
$ python -m examples.nxp.aot_neutron_compile --quantize \ | ||
--delegate --neutron_converter_flavor SDK_25_03 -m cifar10 | ||
``` | ||
|
||
3. It will generate you `cifar10_nxp_delegate.pte` file which can be used with the MXUXpresso SDK `cifarnet_example` project. |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,295 @@ | ||
# Copyright 2024-2025 NXP | ||
# | ||
# This source code is licensed under the BSD-style license found in the | ||
# LICENSE file in the root directory of this source tree. | ||
|
||
# Example script to compile the model for the NXP Neutron NPU | ||
|
||
import argparse | ||
import io | ||
import logging | ||
from collections import defaultdict | ||
from typing import Iterator | ||
|
||
import executorch.extension.pybindings.portable_lib | ||
import executorch.kernels.quantized # noqa F401 | ||
|
||
import torch | ||
|
||
from executorch.backends.nxp.neutron_partitioner import NeutronPartitioner | ||
from executorch.backends.nxp.nxp_backend import generate_neutron_compile_spec | ||
from executorch.backends.nxp.quantizer.neutron_quantizer import NeutronQuantizer | ||
from executorch.examples.models import MODEL_NAME_TO_MODEL | ||
from executorch.examples.models.model_factory import EagerModelFactory | ||
|
||
from executorch.exir import ( | ||
EdgeCompileConfig, | ||
ExecutorchBackendConfig, | ||
to_edge_transform_and_lower, | ||
) | ||
from executorch.extension.export_util import save_pte_program | ||
|
||
from torch.export import export | ||
from torchao.quantization.pt2e.quantize_pt2e import convert_pt2e, prepare_pt2e | ||
|
||
from .experimental.cifar_net.cifar_net import CifarNet, test_cifarnet_model | ||
|
||
FORMAT = "[%(levelname)s %(asctime)s %(filename)s:%(lineno)s] %(message)s" | ||
logging.basicConfig(level=logging.INFO, format=FORMAT) | ||
|
||
|
||
def print_ops_in_edge_program(edge_program): | ||
"""Find all ops used in the `edge_program` and print them out along with their occurrence counts.""" | ||
|
||
ops_and_counts = defaultdict( | ||
lambda: 0 | ||
) # Mapping ops to the numer of times they are used. | ||
for node in edge_program.graph.nodes: | ||
if "call" not in node.op: | ||
continue # `placeholder` or `output`. (not an operator) | ||
|
||
if hasattr(node.target, "_schema"): | ||
# Regular op. | ||
# noinspection PyProtectedMember | ||
op = node.target._schema.schema.name | ||
else: | ||
# Builtin function. | ||
op = str(node.target) | ||
|
||
ops_and_counts[op] += 1 | ||
|
||
# Sort the ops based on how many times they are used in the model. | ||
ops_and_counts = sorted(ops_and_counts.items(), key=lambda x: x[1], reverse=True) | ||
|
||
# Print the ops and use counts. | ||
for op, count in ops_and_counts: | ||
print(f"{op: <50} {count}x") | ||
|
||
|
||
def get_model_and_inputs_from_name(model_name: str): | ||
"""Given the name of an example pytorch model, return it, example inputs and calibration inputs (can be None) | ||
Raises RuntimeError if there is no example model corresponding to the given name. | ||
""" | ||
|
||
calibration_inputs = None | ||
# Case 1: Model is defined in this file | ||
if model_name in models.keys(): | ||
m = models[model_name]() | ||
model = m.get_eager_model() | ||
example_inputs = m.get_example_inputs() | ||
calibration_inputs = m.get_calibration_inputs(64) | ||
# Case 2: Model is defined in executorch/examples/models/ | ||
elif model_name in MODEL_NAME_TO_MODEL.keys(): | ||
logging.warning( | ||
"Using a model from examples/models not all of these are currently supported" | ||
) | ||
model, example_inputs, _ = EagerModelFactory.create_model( | ||
*MODEL_NAME_TO_MODEL[model_name] | ||
) | ||
else: | ||
raise RuntimeError( | ||
f"Model '{model_name}' is not a valid name. Use --help for a list of available models." | ||
) | ||
|
||
return model, example_inputs, calibration_inputs | ||
|
||
|
||
models = { | ||
"cifar10": CifarNet, | ||
} | ||
|
||
|
||
def post_training_quantize( | ||
model, calibration_inputs: tuple[torch.Tensor] | Iterator[tuple[torch.Tensor]] | ||
): | ||
"""Quantize the provided model. | ||
:param model: Aten model to quantize. | ||
:param calibration_inputs: Either a tuple of calibration input tensors where each element corresponds to a model | ||
input. Or an iterator over such tuples. | ||
""" | ||
# Based on executorch.examples.arm.aot_amr_compiler.quantize | ||
logging.info("Quantizing model") | ||
logging.debug(f"---> Original model: {model}") | ||
quantizer = NeutronQuantizer() | ||
|
||
m = prepare_pt2e(model, quantizer) | ||
# Calibration: | ||
logging.debug("Calibrating model") | ||
|
||
def _get_batch_size(data): | ||
return data[0].shape[0] | ||
|
||
if not isinstance( | ||
calibration_inputs, tuple | ||
): # Assumption that calibration_inputs is finite. | ||
for i, data in enumerate(calibration_inputs): | ||
if i % (1000 // _get_batch_size(data)) == 0: | ||
logging.debug(f"{i * _get_batch_size(data)} calibration inputs done") | ||
m(*data) | ||
else: | ||
m(*calibration_inputs) | ||
m = convert_pt2e(m) | ||
logging.debug(f"---> Quantized model: {m}") | ||
return m | ||
|
||
|
||
if __name__ == "__main__": # noqa C901 | ||
parser = argparse.ArgumentParser() | ||
parser.add_argument( | ||
"-m", | ||
"--model_name", | ||
required=True, | ||
help=f"Provide model name. Valid ones: {set(models.keys())}", | ||
) | ||
parser.add_argument( | ||
"-d", | ||
"--delegate", | ||
action="store_true", | ||
required=False, | ||
default=False, | ||
help="Flag for producing eIQ NeutronBackend delegated model", | ||
) | ||
parser.add_argument( | ||
"--target", | ||
required=False, | ||
default="imxrt700", | ||
help="Platform for running the delegated model", | ||
) | ||
parser.add_argument( | ||
"-c", | ||
"--neutron_converter_flavor", | ||
required=False, | ||
default="SDK_25_03", | ||
help="Flavor of installed neutron-converter module. Neutron-converter module named " | ||
"'neutron_converter_SDK_24_12' has flavor 'SDK_24_12'.", | ||
) | ||
parser.add_argument( | ||
"-q", | ||
"--quantize", | ||
action="store_true", | ||
required=False, | ||
default=False, | ||
help="Produce a quantized model", | ||
) | ||
parser.add_argument( | ||
"-s", | ||
"--so_library", | ||
required=False, | ||
default=None, | ||
help="Path to custome kernel library", | ||
) | ||
parser.add_argument( | ||
"--debug", action="store_true", help="Set the logging level to debug." | ||
) | ||
parser.add_argument( | ||
"-t", | ||
"--test", | ||
action="store_true", | ||
required=False, | ||
default=False, | ||
help="Test the selected model and print the accuracy between 0 and 1.", | ||
) | ||
parser.add_argument( | ||
"--operators_not_to_delegate", | ||
required=False, | ||
default=[], | ||
type=str, | ||
nargs="*", | ||
help="List of operators not to delegate. E.g., --operators_not_to_delegate aten::convolution aten::mm", | ||
) | ||
|
||
args = parser.parse_args() | ||
|
||
if args.debug: | ||
logging.basicConfig(level=logging.DEBUG, format=FORMAT, force=True) | ||
|
||
# 1. pick model from one of the supported lists | ||
model, example_inputs, calibration_inputs = get_model_and_inputs_from_name( | ||
args.model_name | ||
) | ||
model = model.eval() | ||
|
||
# 2. Export the model to ATEN | ||
exported_program = torch.export.export_for_training( | ||
model, example_inputs, strict=True | ||
) | ||
|
||
module = exported_program.module() | ||
|
||
# 4. Quantize if required | ||
if args.quantize: | ||
if calibration_inputs is None: | ||
logging.warning( | ||
"No calibration inputs available, using the example inputs instead" | ||
) | ||
calibration_inputs = example_inputs | ||
module = post_training_quantize(module, calibration_inputs) | ||
|
||
if args.so_library is not None: | ||
logging.debug(f"Loading libraries: {args.so_library} and {args.portable_lib}") | ||
torch.ops.load_library(args.so_library) | ||
|
||
if args.test: | ||
match args.model_name: | ||
case "cifar10": | ||
accuracy = test_cifarnet_model(module) | ||
|
||
case _: | ||
raise NotImplementedError( | ||
f"Testing of model `{args.model_name}` is not yet supported." | ||
) | ||
|
||
quantized_str = "quantized " if args.quantize else "" | ||
print(f"\nAccuracy of the {quantized_str}`{args.model_name}`: {accuracy}\n") | ||
|
||
# 5. Export to edge program | ||
partitioner_list = [] | ||
if args.delegate is True: | ||
partitioner_list = [ | ||
NeutronPartitioner( | ||
generate_neutron_compile_spec( | ||
args.target, | ||
args.neutron_converter_flavor, | ||
operators_not_to_delegate=args.operators_not_to_delegate, | ||
) | ||
) | ||
] | ||
|
||
edge_program = to_edge_transform_and_lower( | ||
export(module, example_inputs, strict=True), | ||
partitioner=partitioner_list, | ||
compile_config=EdgeCompileConfig( | ||
_check_ir_validity=False, | ||
), | ||
) | ||
logging.debug(f"Exported graph:\n{edge_program.exported_program().graph}") | ||
|
||
# 6. Export to ExecuTorch program | ||
try: | ||
exec_prog = edge_program.to_executorch( | ||
config=ExecutorchBackendConfig(extract_delegate_segments=False) | ||
) | ||
except RuntimeError as e: | ||
if "Missing out variants" in str(e.args[0]): | ||
raise RuntimeError( | ||
e.args[0] | ||
+ ".\nThis likely due to an external so library not being loaded. Supply a path to it with the " | ||
"--portable_lib flag." | ||
).with_traceback(e.__traceback__) from None | ||
else: | ||
raise e | ||
|
||
def executorch_program_to_str(ep, verbose=False): | ||
f = io.StringIO() | ||
ep.dump_executorch_program(out=f, verbose=verbose) | ||
return f.getvalue() | ||
|
||
logging.debug(f"Executorch program:\n{executorch_program_to_str(exec_prog)}") | ||
|
||
# 7. Serialize to *.pte | ||
model_name = f"{args.model_name}" + ( | ||
"_nxp_delegate" if args.delegate is True else "" | ||
) | ||
save_pte_program(exec_prog, model_name) |
Binary file not shown.
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Should we include this in the CI?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I was thinking about it, but as the simulator is not yet ready only reasonable check is if the example not crash and produce some output.
I can include in the CI. No preference here.