Du kannst nicht mehr als 25 Themen auswählen Themen müssen entweder mit einem Buchstaben oder einer Ziffer beginnen. Sie können Bindestriche („-“) enthalten und bis zu 35 Zeichen lang sein.

197 Zeilen
8.4KB

  1. import argparse
  2. import yaml
  3. from models.common import *
  4. class Detect(nn.Module):
  5. def __init__(self, nc=80, anchors=()): # detection layer
  6. super(Detect, self).__init__()
  7. self.stride = None # strides computed during build
  8. self.nc = nc # number of classes
  9. self.no = nc + 5 # number of outputs per anchor
  10. self.nl = len(anchors) # number of detection layers
  11. self.na = len(anchors[0]) // 2 # number of anchors
  12. self.grid = [torch.zeros(1)] * self.nl # init grid
  13. a = torch.tensor(anchors).float().view(self.nl, -1, 2)
  14. self.register_buffer('anchors', a) # shape(nl,na,2)
  15. self.register_buffer('anchor_grid', a.clone().view(self.nl, 1, -1, 1, 1, 2)) # shape(nl,1,na,1,1,2)
  16. self.export = False # onnx export
  17. def forward(self, x):
  18. z = [] # inference output
  19. self.training |= self.export
  20. for i in range(self.nl):
  21. bs, _, ny, nx = x[i].shape # x(bs,255,20,20) to x(bs,3,20,20,85)
  22. x[i] = x[i].view(bs, self.na, self.no, ny, nx).permute(0, 1, 3, 4, 2).contiguous()
  23. if not self.training: # inference
  24. if self.grid[i].shape[2:4] != x[i].shape[2:4]:
  25. self.grid[i] = self._make_grid(nx, ny).to(x[i].device)
  26. y = x[i].sigmoid()
  27. y[..., 0:2] = (y[..., 0:2] * 2. - 0.5 + self.grid[i].to(x[i].device)) * self.stride[i] # xy
  28. y[..., 2:4] = (y[..., 2:4] * 2) ** 2 * self.anchor_grid[i] # wh
  29. z.append(y.view(bs, -1, self.no))
  30. return x if self.training else (torch.cat(z, 1), x)
  31. @staticmethod
  32. def _make_grid(nx=20, ny=20):
  33. yv, xv = torch.meshgrid([torch.arange(ny), torch.arange(nx)])
  34. return torch.stack((xv, yv), 2).view((1, 1, ny, nx, 2)).float()
  35. class Model(nn.Module):
  36. def __init__(self, model_yaml='yolov5s.yaml'): # cfg, number of classes, depth-width gains
  37. super(Model, self).__init__()
  38. with open(model_yaml) as f:
  39. self.md = yaml.load(f, Loader=yaml.FullLoader) # model dict
  40. # Define model
  41. self.model, self.save, ch = parse_model(self.md, ch=[3]) # model, savelist, ch_out
  42. # print([x.shape for x in self.forward(torch.zeros(1, 3, 64, 64))])
  43. # Build strides, anchors
  44. m = self.model[-1] # Detect()
  45. m.stride = torch.tensor([64 / x.shape[-2] for x in self.forward(torch.zeros(1, 3, 64, 64))]) # forward
  46. m.anchors /= m.stride.view(-1, 1, 1)
  47. self.stride = m.stride
  48. # Init weights, biases
  49. torch_utils.initialize_weights(self)
  50. self._initialize_biases() # only run once
  51. torch_utils.model_info(self)
  52. print('')
  53. def forward(self, x, augment=False, profile=False):
  54. y, ts = [], 0 # outputs
  55. for m in self.model:
  56. if m.f != -1: # if not from previous layer
  57. x = y[m.f] if isinstance(m.f, int) else [x if j == -1 else y[j] for j in m.f] # from earlier layers
  58. if profile:
  59. import thop
  60. o = thop.profile(m, inputs=(x,), verbose=False)[0] / 1E9 * 2 # FLOPS
  61. t = torch_utils.time_synchronized()
  62. for _ in range(10):
  63. _ = m(x)
  64. dt = torch_utils.time_synchronized() - t
  65. ts += dt
  66. print('%10.1f%10.0f%10.1fms %-40s' % (o, m.np, dt * 100, m.type))
  67. x = m(x) # run
  68. y.append(x if m.i in self.save else None) # save output
  69. if profile:
  70. print(ts * 100)
  71. return x
  72. def _initialize_biases(self, cf=None): # initialize biases into Detect(), cf is class frequency
  73. # cf = torch.bincount(torch.tensor(np.concatenate(dataset.labels, 0)[:, 0]).long(), minlength=nc) + 1.
  74. m = self.model[-1] # Detect() module
  75. for f, s in zip(m.f, m.stride): #  from
  76. mi = self.model[f % m.i]
  77. b = mi.bias.view(m.na, -1) # conv.bias(255) to (3,85)
  78. b[:, 4] += math.log(8 / (640 / s) ** 2) # obj (8 objects per 640 image)
  79. b[:, 5:] += math.log(0.6 / (m.nc - 0.99)) if cf is None else torch.log(cf / cf.sum()) # cls
  80. mi.bias = torch.nn.Parameter(b.view(-1), requires_grad=True)
  81. def _print_biases(self):
  82. m = self.model[-1] # Detect() module
  83. for f in sorted([x % m.i for x in m.f]): #  from
  84. b = self.model[f].bias.detach().view(m.na, -1).T # conv.bias(255) to (3,85)
  85. print(('%g Conv2d.bias:' + '%10.3g' * 6) % (f, *b[:5].mean(1).tolist(), b[5:].mean()))
  86. def parse_model(md, ch): # model_dict, input_channels(3)
  87. print('\n%3s%15s%3s%10s %-40s%-30s' % ('', 'from', 'n', 'params', 'module', 'arguments'))
  88. anchors, nc, gd, gw = md['anchors'], md['nc'], md['depth_multiple'], md['width_multiple']
  89. na = (len(anchors[0]) // 2) # number of anchors
  90. no = na * (nc + 5) # number of outputs = anchors * (classes + 5)
  91. layers, save, c2 = [], [], ch[-1] # layers, savelist, ch out
  92. for i, (f, n, m, args) in enumerate(md['backbone'] + md['head']): # from, number, module, args
  93. m = eval(m) if isinstance(m, str) else m # eval strings
  94. for j, a in enumerate(args):
  95. try:
  96. args[j] = eval(a) if isinstance(a, str) else a # eval strings
  97. except:
  98. pass
  99. n = max(round(n * gd), 1) if n > 1 else n # depth gain
  100. if m in [nn.Conv2d, Conv, Bottleneck, SPP, DWConv, MixConv2d, Focus, ConvPlus, BottleneckCSP, BottleneckLight]:
  101. c1, c2 = ch[f], args[0]
  102. # Normal
  103. # if i > 0 and args[0] != no: # channel expansion factor
  104. # ex = 1.75 # exponential (default 2.0)
  105. # e = math.log(c2 / ch[1]) / math.log(2)
  106. # c2 = int(ch[1] * ex ** e)
  107. # if m != Focus:
  108. c2 = make_divisible(c2 * gw, 8) if c2 != no else c2
  109. # Experimental
  110. # if i > 0 and args[0] != no: # channel expansion factor
  111. # ex = 1 + gw # exponential (default 2.0)
  112. # ch1 = 32 # ch[1]
  113. # e = math.log(c2 / ch1) / math.log(2) # level 1-n
  114. # c2 = int(ch1 * ex ** e)
  115. # if m != Focus:
  116. # c2 = make_divisible(c2, 8) if c2 != no else c2
  117. args = [c1, c2, *args[1:]]
  118. if m is BottleneckCSP:
  119. args.insert(2, n)
  120. n = 1
  121. elif m is nn.BatchNorm2d:
  122. args = [ch[f]]
  123. elif m is Concat:
  124. c2 = sum([ch[x] for x in f])
  125. elif m is Origami:
  126. c2 = ch[f] * 5
  127. elif m is Detect:
  128. f = f or list(reversed([(-1 if j == i else j - 1) for j, x in enumerate(ch) if x == no]))
  129. else:
  130. c2 = ch[f]
  131. m_ = nn.Sequential(*[m(*args) for _ in range(n)]) if n > 1 else m(*args) # module
  132. t = str(m)[8:-2].replace('__main__.', '') # module type
  133. np = sum([x.numel() for x in m_.parameters()]) # number params
  134. m_.i, m_.f, m_.type, m_.np = i, f, t, np # attach index, 'from' index, type, number params
  135. print('%3s%15s%3s%10.0f %-40s%-30s' % (i, f, n, np, t, args)) # print
  136. save.extend(x % i for x in ([f] if isinstance(f, int) else f) if x != -1) # append to savelist
  137. layers.append(m_)
  138. ch.append(c2)
  139. return nn.Sequential(*layers), sorted(save), ch
  140. if __name__ == '__main__':
  141. parser = argparse.ArgumentParser()
  142. parser.add_argument('--cfg', type=str, default='yolov5s.yaml', help='model.yaml')
  143. parser.add_argument('--device', default='', help='cuda device, i.e. 0 or 0,1,2,3 or cpu')
  144. opt = parser.parse_args()
  145. opt.cfg = glob.glob('./**/' + opt.cfg, recursive=True)[0] # find file
  146. device = torch_utils.select_device(opt.device)
  147. # Create model
  148. model = Model(opt.cfg).to(device)
  149. model.train()
  150. # Profile
  151. # img = torch.rand(8 if torch.cuda.is_available() else 1, 3, 640, 640).to(device)
  152. # y = model(img, profile=True)
  153. # print([y[0].shape] + [x.shape for x in y[1]])
  154. # ONNX export
  155. # model.model[-1].export = True
  156. # torch.onnx.export(model, img, f.replace('.yaml', '.onnx'), verbose=True, opset_version=11)
  157. # Tensorboard
  158. # from torch.utils.tensorboard import SummaryWriter
  159. # tb_writer = SummaryWriter()
  160. # print("Run 'tensorboard --logdir=models/runs' to view tensorboard at http://localhost:6006/")
  161. # tb_writer.add_graph(model.model, img) # add model to tensorboard
  162. # tb_writer.add_image('test', img[0], dataformats='CWH') # add model to tensorboard