落水人员检测
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.

144 lines
6.9KB

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