Performing Inference In INT8 Precision

Performing Inference In INT8 Precision

Table Of Contents

Description

This sample, sampleINT8API, performs INT8 inference without using the INT8 calibrator; using the user provided per activation tensor dynamic range. INT8 inference is available only on GPUs with compute capability 6.1 or newer and supports Image Classification ONNX models such as ResNet-50, VGG19, and MobileNet.

Specifically, this sample demonstrates how to:

  • Use nvinfer1::ITensor::setDynamicRange to set per-tensor dynamic range
  • Use nvinfer1::ILayer::setPrecision to set computation precision of a layer
  • Use nvinfer1::ILayer::setOutputType to set output tensor data type of a layer
  • Perform INT8 inference without using INT8 calibration

How does this sample work?

In order to perform INT8 inference, you need to provide TensorRT with the dynamic range for each network tensor, including network input and output tensor. One way to choose the dynamic range is to use the TensorRT INT8 calibrator. But if you don’t want to go that route (for example, let’s say you used quantization-aware training or you just want to use the min and max tensor values seen during training), you can skip the INT8 calibration and set custom per-network tensor dynamic ranges. This sample implements INT8 inference for the ONNX ResNet-50 model using per-network tensor dynamic ranges specified in an input file.

This sample uses the ONNX ResNet-50 model.

Specifically, this sample performs the following steps:

Configuring the builder to use INT8 without the INT8 calibrator

  1. Ensure that INT8 inference is supported on the platform:
    if (!builder->platformHasFastInt8()) return false;

  2. Enable INT8 mode by setting the builder flag:
    builder->setInt8Mode(true);

    You can choose not to provide the INT8 calibrator.
    builder->setInt8Calibrator(nullptr);

    If you want to provide the calibrator, manual dynamic range will override calibration generate dynamic range/scale. See sampleINT8 on how to setup INT8 calibrator.

  3. Optionally and for debugging purposes, the following flag configures the builder to choose type conforming layer implementation, if one exists.

    For example, in the case of DataType::kINT8, types are requested by setInt8Mode(true). Setting this flag ensures that only the conformant layer implementation (with kINT8 input and output types), are chosen even if a high performance non-conformat implementation is available. If no conformant layer exists, TensorRT will choose a non-conformant layer if available regardless of the setting for this flag.

    builder->setStrictTypeConstraints(true);

Configuring the network to use custom dynamic ranges and set per-layer precision

  1. Iterate through the network to set the per activation tensor dynamic range.

    readPerTensorDynamicRangeValue() // This function populates dictionary with keys=tensor_names, values=floating point dynamic range.
    
  2. Set the dynamic range for network inputs:

    string input_name = network->getInput(i)->getName();
    network->getInput(i)->setDynamicRange(-tensorMap.at(input_name), tensorMap.at(input_name));
    
  3. Set the dynamic range for per layer tensors:

    string tensor_name = network->getLayer(i)->getOutput(j)->getName(); network->getLayer(i)->getOutput(j)->setDynamicRange(-tensorMap.at(name), tensorMap.at(name));
    
  4. Optional: This sample also showcases using layer precision APIs. Using these APIs, you can selectively choose to run the layer with user configurable precision and type constraints. It may not result in optimal inference performance, but can be helpful while debugging mixed precision inference.

    Iterate through the network to per layer precision:

    auto layer = network->getLayer(i);
    layer->setPrecision(nvinfer1::DataType::kINT8);
    

    This gives the layer’s inputs and outputs a preferred type (for example, DataType::kINT8). You can choose a different preferred type for an input or output of a layer using:

    for (int j=0; j<layer->getNbOutputs(); ++j) {
    layer->setOutputType(j, nvinfer1::DataType::kFLOAT);
    }
    

    Using layer precision APIs with builder->setStrictTypeConstraints(true) set, ensures that the requested layer precisions are obeyed by the builder irrespective of the performance. If no implementation is available with request precision constraints, the builder will choose the fastest implementation irrespective of precision and type constraints. For more information on using mixed precision APIs, see Setting The Layer Precision Using C++.

Building the engine

After we configure the builder with INT8 mode and calibrator, we can build the engine similar to any FP32 engine.

ICudaEngine* engine = builder->buildCudaEngine(*network);

Running the engine

After the engine has been built, it can be used just like an FP32 engine. For example, inputs and outputs remain in 32-bit floating point.

  1. Create an execution context and CUDA stream for the execution of this inference.

    auto context = mEngine->createExecutionContext();
    cudaStream_t stream;
    cudaStreamCreate(&stream);
    
  2. Copy the data from the host input buffers to the device input buffers.
    buffers.copyInputToDeviceAsync(stream);

  3. Enqueue the inference work and perform actual inference.

    context->enqueue(batchSize, buffers.getDeviceBindings().data(), input_stream, nullptr))
    
  4. Copy data from the device output buffers to the host output buffers.
    buffers.copyOutputToHostAsync(stream);

  5. Wait for the work in the stream to complete and release it.

    cudaStreamSynchronize(stream);
    cudaStreamDestroy(stream);
    
  6. Check and print the output of the inference.
    outputCorrect = verifyOutput(buffers);

TensorRT API layers and ops

This sample demonstrates how you can enable INT8 inference using the following mixed precision APIs.

ITensor::SetDynamicRange
Set dynamic range for the tensor. Currently, only symmetric ranges are supported, therefore, the larger of the absolute values of the provided bounds is used.

ILayer::SetPrecision
Set the computational precision of this layer. Setting the precision forces TensorRT to choose the implementations which run at this precision. If precision is not set, TensorRT will select the computational precision based on performance considerations and the flags specified to the builder.

ILayer::SetOutputType
Set the output type of this layer. Setting the output type forces TensorRT to choose the implementations which generate output data with the given type. If the output type is not set, TensorRT will select the implementation based on performance considerations and the flags specified to the builder.

Preparing sample data

In addition to the model file and input image, you will need per-tensor dynamic range stored in a text file along with the ImageNet label reference file.

The following required files are included in the package and are located in the data/int8_api directory.

reference_labels.txt
The ImageNet reference label file.

resnet50_per_tensor_dynamic_range.txt
The ResNet-50 per-tensor dynamic ranges file.

airliner.ppm
The image to be inferred.

  1. Download the ONNX ResNet-50 model.

    wget https://download.onnxruntime.ai/onnx/models/resnet50.tar.gz -O $TRT_DATADIR/int8_api/resnet50.tar.gz
    
  2. Unpackage the model file.

    tar zxvf $TRT_DATADIR/int8_api/resnet50.tar.gz -C $TRT_DATADIR/int8_api/
    
  3. Copy resnet50/model.onnx to the data/int8_api/resnet50.onnx directory.

    mv $TRT_DATADIR/int8_api/resnet50/model.onnx $TRT_DATADIR/int8_api/resnet50.onnx
    

Running the sample

  1. Compile the sample by following build instructions in TensorRT README.

  2. Run the sample to perform INT8 inference on a classification network, for example, ResNet-50.

    To run INT8 inference with custom dynamic ranges:

    ./sample_int8_api [--model=model_file] [--ranges=per_tensor_dynamic_range_file] [--image=image_file] [--reference=reference_file] [--data=/path/to/data/dir] [--useDLACore=<int>] [-v or --verbose]
    

    For example:

    ./sample_int8_api --model=$TRT_DATADIR/resnet50/ResNet50.onnx --image=$TRT_DATADIR/int8_api/airliner.ppm --reference=$TRT_DATADIR/int8_api/reference_labels.txt --ranges=$TRT_DATADIR/int8_api/resnet50_per_tensor_dynamic_range.txt
    
  3. Verify that the sample ran successfully. If the sample runs successfully you should see output similar to the following:

    &&&& RUNNING TensorRT.sample_int8_api # ./sample_int8_api
    [I] Please follow README.md to generate missing input files.
    [I] Validating input parameters. Using following input files for inference.
    [I]     Model File: ../../../../../../../../../data/samples/int8_api/resnet50.onnx
    [I]     Image File: ../../../../../../../../../data/samples/int8_api/airliner.ppm
    [I]     Reference File: ../../../../../../../../../data/samples/int8_api/reference_labels.txt
    [I]     Dynamic Range File: ../../../../../../../../../data/samples/int8_api/resnet50_per_tensor_dynamic_range.txt
    [I] Building and running a INT8 GPU inference engine for ../../../../../../../../../data/samples/int8_api/resnet50.onnx
    [I] [TRT] ----------------------------------------------------------------
    [I] [TRT] Input filename:   ../../../../../../../../../data/samples/int8_api/resnet50.onnx
    [I] [TRT] ONNX IR version:  0.0.3
    [I] [TRT] Opset version:    9
    [I] [TRT] Producer name:    onnx-caffe2
    [I] [TRT] Producer version:
    [I] [TRT] Domain:
    [I] [TRT] Model version:    0
    [I] [TRT] Doc string:
    [I] [TRT] ----------------------------------------------------------------
    [I] Setting Per Layer Computation Precision
    [I] Setting Per Tensor Dynamic Range
    [W] [TRT] Calibrator is not being used. Users must provide dynamic range for all tensors that are not Int32 or Bool.
    [I] [TRT] Local timing cache in use. Profiling results in this builder pass will not be stored.
    [I] [TRT] Detected 1 inputs and 1 output network tensors.
    [I] [TRT] Total Host Persistent Memory: 123728
    [I] [TRT] Total Device Persistent Memory: 0
    [I] [TRT] Total Scratch Memory: 0
    [I] [TRT] [MemUsageStats] Peak memory usage of TRT CPU/GPU memory allocators: CPU 116 MiB, GPU 4523 MiB
    [I] [TRT] [BlockAssignment] Algorithm ShiftNTopDown took 3.49361ms to assign 3 blocks to 74 nodes requiring 2408448 bytes.
    [I] [TRT] Total Activation Memory: 2408448
    [I] [TRT] Loaded engine size: 25 MiB
    [I] SampleINT8API result: Detected:
    [I] [1] space shuttle
    [I] [2] airliner
    [I] [3] warplane
    [I] [4] projectile
    [I] [5] wing
    &&&& PASSED TensorRT.sample_int8_api # ./sample_int8_api
    

    This output shows that the sample ran successfully; PASSED.

Sample --help options

To see the full list of available options and their descriptions, use the -h or --help command line option.

Models other than ResNet-50 with custom configuration

In order to use this sample with other model files with a custom configuration, perform the following steps:

  1. Download the Image Classification model files from GitHub.

  2. Create an input image with a PPM extension. Resize it with the dimensions of 224x224x3.

  3. Create a file called reference_labels.txt.

    Note: Ensure each line corresponds to a single imagenet label. You can download the imagenet 1000 class human readable labels from here. The reference label file contains only a single label name per line, for example, 0:'tench, Tinca tinca' is represented as tench.

  4. Create a file called <network_name>_per_tensor_dynamic_ranges.txt.

    1. Before you can create the dynamic range file, you need to generate the tensor names by providing the dynamic range for each network tensor.

      This sample provides an option to write names of the network tensors to a file, for example network_tensors.txt. This file can then be used to generate the <network_name>_per_tensor_dynamic_ranges.txt file in step 4-2 below. To generate the list of network tensors file, perform the following steps:

      i. Write network tensors to a file:

      ./sample_int8_api [--model=model_file] [--write_tensors] [--network_tensors_file=network_tensors.txt] [-v or --verbose]
      

      ii. Run INT8 inference with user provided dynamic ranges:

      ./sample_int8_api [--model=model_file] [--ranges=per_tensor_dynamic_range_file] [--image=image_file] [--reference=reference_file] [--data=/path/to/data/dir] [--useDLACore=<int>] [-v or --verbose]
      

      sampleINT8API needs following files to build the network and run inference:

      <network>.onnx
      The model file which contains the network and trained weights.

      Reference_labels.txt
      Labels reference file i.e. ground truth ImageNet 1000 class mappings.

      Per_tensor_dynamic_range.txt
      Custom per-tensor dynamic range file or you can simply override them by iterating through network layers.

      Image_to_infer.ppm
      PPM Image to run inference with.

      Note: By default, the sample expects these files to be in either the data/samples/int8_api/ or data/int8_api/ directories. The list of default directories can be changed by adding one or more paths with --data=/new/path as a command line argument.

    2. To create the <network_name>_per_tensor_dynamic_ranges.txt file, ensure each line corresponds to the tensor name and floating point dynamic range, for example <tensor_name> : <float dynamic range>.

      Tensor names generated in the network_tensors.txt file (step 4-1) can be used here to represent <tensor_name>. The dynamic range can either be obtained from training (by measuring the min and max value of activation tensors in each epoch) or from using custom post processing techniques (similar to TensorRT calibration). You can also choose to use a dummy per-tensor dynamic range to run the sample.

      Note: INT8 inference accuracy may reduce when dummy/random dynamic ranges are provided.

Additional resources

The following resources provide a deeper understanding how to perform inference in INT8:

INT8API:

Generate per-tensor dynamic range:

Models:

Blogs:

Videos:

Documentation:

License

For terms and conditions for use, reproduction, and distribution, see the TensorRT Software License Agreement documentation.

Changelog

March 2019
This README.md file was recreated, updated and reviewed.

Known issues

There are no known issues in this sample.

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值