You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

136 lines
6.3KB

  1. """Exports a YOLOv5 *.pt model to ONNX and TorchScript formats
  2. Usage:
  3. $ export PYTHONPATH="$PWD" && python models/export.py --weights yolov5s.pt --img 640 --batch 1
  4. """
  5. import argparse
  6. import sys
  7. import time
  8. from pathlib import Path
  9. sys.path.append(Path(__file__).parent.parent.absolute().__str__()) # to run '$ python *.py' files in subdirectories
  10. import torch
  11. import torch.nn as nn
  12. from torch.utils.mobile_optimizer import optimize_for_mobile
  13. import models
  14. from models.experimental import attempt_load
  15. from utils.activations import Hardswish, SiLU
  16. from utils.general import colorstr, check_img_size, check_requirements, file_size, set_logging
  17. from utils.torch_utils import select_device
  18. if __name__ == '__main__':
  19. parser = argparse.ArgumentParser()
  20. parser.add_argument('--weights', type=str, default='./yolov5s.pt', help='weights path')
  21. parser.add_argument('--img-size', nargs='+', type=int, default=[640, 640], help='image size') # height, width
  22. parser.add_argument('--batch-size', type=int, default=1, help='batch size')
  23. parser.add_argument('--device', default='cpu', help='cuda device, i.e. 0 or 0,1,2,3 or cpu')
  24. parser.add_argument('--half', action='store_true', help='FP16 half-precision export')
  25. parser.add_argument('--inplace', action='store_true', help='set YOLOv5 Detect() inplace=True')
  26. parser.add_argument('--train', action='store_true', help='model.train() mode')
  27. parser.add_argument('--optimize', action='store_true', help='optimize TorchScript for mobile') # TorchScript-only
  28. parser.add_argument('--dynamic', action='store_true', help='dynamic ONNX axes') # ONNX-only
  29. parser.add_argument('--simplify', action='store_true', help='simplify ONNX model') # ONNX-only
  30. opt = parser.parse_args()
  31. opt.img_size *= 2 if len(opt.img_size) == 1 else 1 # expand
  32. print(opt)
  33. set_logging()
  34. t = time.time()
  35. # Load PyTorch model
  36. device = select_device(opt.device)
  37. model = attempt_load(opt.weights, map_location=device) # load FP32 model
  38. labels = model.names
  39. # Checks
  40. gs = int(max(model.stride)) # grid size (max stride)
  41. opt.img_size = [check_img_size(x, gs) for x in opt.img_size] # verify img_size are gs-multiples
  42. assert not (opt.device.lower() == "cpu" and opt.half), '--half only compatible with GPU export, i.e. use --device 0'
  43. # Input
  44. img = torch.zeros(opt.batch_size, 3, *opt.img_size).to(device) # image size(1,3,320,192) iDetection
  45. # Update model
  46. if opt.half:
  47. img, model = img.half(), model.half() # to FP16
  48. if opt.train:
  49. model.train() # training mode (no grid construction in Detect layer)
  50. for k, m in model.named_modules():
  51. m._non_persistent_buffers_set = set() # pytorch 1.6.0 compatibility
  52. if isinstance(m, models.common.Conv): # assign export-friendly activations
  53. if isinstance(m.act, nn.Hardswish):
  54. m.act = Hardswish()
  55. elif isinstance(m.act, nn.SiLU):
  56. m.act = SiLU()
  57. elif isinstance(m, models.yolo.Detect):
  58. m.inplace = opt.inplace
  59. m.onnx_dynamic = opt.dynamic
  60. # m.forward = m.forward_export # assign forward (optional)
  61. for _ in range(2):
  62. y = model(img) # dry runs
  63. print(f"\n{colorstr('PyTorch:')} starting from {opt.weights} ({file_size(opt.weights):.1f} MB)")
  64. # TorchScript export -----------------------------------------------------------------------------------------------
  65. prefix = colorstr('TorchScript:')
  66. try:
  67. print(f'\n{prefix} starting export with torch {torch.__version__}...')
  68. f = opt.weights.replace('.pt', '.torchscript.pt') # filename
  69. ts = torch.jit.trace(model, img, strict=False)
  70. (optimize_for_mobile(ts) if opt.optimize else ts).save(f)
  71. print(f'{prefix} export success, saved as {f} ({file_size(f):.1f} MB)')
  72. except Exception as e:
  73. print(f'{prefix} export failure: {e}')
  74. # ONNX export ------------------------------------------------------------------------------------------------------
  75. prefix = colorstr('ONNX:')
  76. try:
  77. import onnx
  78. print(f'{prefix} starting export with onnx {onnx.__version__}...')
  79. f = opt.weights.replace('.pt', '.onnx') # filename
  80. torch.onnx.export(model, img, f, verbose=False, opset_version=12, input_names=['images'],
  81. dynamic_axes={'images': {0: 'batch', 2: 'height', 3: 'width'}, # size(1,3,640,640)
  82. 'output': {0: 'batch', 2: 'y', 3: 'x'}} if opt.dynamic else None)
  83. # Checks
  84. model_onnx = onnx.load(f) # load onnx model
  85. onnx.checker.check_model(model_onnx) # check onnx model
  86. # print(onnx.helper.printable_graph(model_onnx.graph)) # print
  87. # Simplify
  88. if opt.simplify:
  89. try:
  90. check_requirements(['onnx-simplifier'])
  91. import onnxsim
  92. print(f'{prefix} simplifying with onnx-simplifier {onnxsim.__version__}...')
  93. model_onnx, check = onnxsim.simplify(model_onnx,
  94. dynamic_input_shape=opt.dynamic,
  95. input_shapes={'images': list(img.shape)} if opt.dynamic else None)
  96. assert check, 'assert check failed'
  97. onnx.save(model_onnx, f)
  98. except Exception as e:
  99. print(f'{prefix} simplifier failure: {e}')
  100. print(f'{prefix} export success, saved as {f} ({file_size(f):.1f} MB)')
  101. except Exception as e:
  102. print(f'{prefix} export failure: {e}')
  103. # CoreML export ----------------------------------------------------------------------------------------------------
  104. prefix = colorstr('CoreML:')
  105. try:
  106. import coremltools as ct
  107. print(f'{prefix} starting export with coremltools {ct.__version__}...')
  108. model = ct.convert(ts, inputs=[ct.ImageType(name='image', shape=img.shape, scale=1 / 255.0, bias=[0, 0, 0])])
  109. f = opt.weights.replace('.pt', '.mlmodel') # filename
  110. model.save(f)
  111. print(f'{prefix} export success, saved as {f} ({file_size(f):.1f} MB)')
  112. except Exception as e:
  113. print(f'{prefix} export failure: {e}')
  114. # Finish
  115. print(f'\nExport complete ({time.time() - t:.2f}s). Visualize with https://github.com/lutzroeder/netron.')