• 基于Pytorch的从零开始的目标检测


    引言

    目标检测是计算机视觉中一个非常流行的任务,在这个任务中,给定一个图像,你预测图像中物体的包围盒(通常是矩形的) ,并且识别物体的类型。在这个图像中可能有多个对象,而且现在有各种先进的技术和框架来解决这个问题,例如 Faster-RCNN 和 YOLOv3。

    本文讨论将讨论图像中只有一个感兴趣的对象的情况。这里的重点更多是关于如何读取图像及其边界框、调整大小和正确执行增强,而不是模型本身。目标是很好地掌握对象检测背后的基本思想,你可以对其进行扩展以更好地理解更复杂的技术。

    本文中的所有代码都在下面的链接中:https://jovian.ai/aakanksha-ns/road-signs-bounding-box-prediction

    问题陈述

    给定一个由路标组成的图像,预测路标周围的包围盒,并识别路标的类型。这些路标包括以下四种:

    · 红绿灯

    · 停止

    · 车速限制

    · 人行横道

    这就是所谓的多任务学习问题,因为它涉及执行两个任务: 1)回归找到包围盒坐标,2)分类识别道路标志的类型

    图片

    数据集

    我使用了来自 Kaggle 的道路标志检测数据集,链接如下:https://www.kaggle.com/andrewmvd/road-sign-detection

    它由877张图像组成。这是一个相当不平衡的数据集,大多数图像属于限速类,但由于我们更关注边界框预测,因此可以忽略不平衡。

    加载数据

    每个图像的注释都存储在单独的 XML 文件中。我按照以下步骤创建了训练数据集:

    · 遍历训练目录以获得所有.xml 文件的列表。

    · 使用xml.etree.ElementTree解析.xml文件。

    · 创建一个由文件路径、宽度、高度、边界框坐标( xmin 、 xmax 、 ymin 、        ymax )和每个图像的类组成的字典,并将字典附加到列表中。

    · 使用图像统计数据字典列表创建一个 Pandas 数据库。

    1. def filelist(root, file_type):
    2. """Returns a fully-qualified list of filenames under root directory"""
    3. return [os.path.join(directory_path, f) for directory_path, directory_name,
    4. files in os.walk(root) for f in files if f.endswith(file_type)]
    5. def generate_train_df (anno_path):
    6. annotations = filelist(anno_path, '.xml')
    7. anno_list = []
    8. for anno_path in annotations:
    9. root = ET.parse(anno_path).getroot()
    10. anno = {}
    11. anno['filename'] = Path(str(images_path) + '/'+ root.find("./filename").text)
    12. anno['width'] = root.find("./size/width").text
    13. anno['height'] = root.find("./size/height").text
    14. anno['class'] = root.find("./object/name").text
    15. anno['xmin'] = int(root.find("./object/bndbox/xmin").text)
    16. anno['ymin'] = int(root.find("./object/bndbox/ymin").text)
    17. anno['xmax'] = int(root.find("./object/bndbox/xmax").text)
    18. anno['ymax'] = int(root.find("./object/bndbox/ymax").text)
    19. anno_list.append(anno)
    20. return pd.DataFrame(anno_list)

    · 标签编码类列

    1. #label encode target
    2. class_dict = {'speedlimit': 0, 'stop': 1, 'crosswalk': 2, 'trafficlight': 3}
    3. df_train['class'] = df_train['class'].apply(lambda x: class_dict[x])

    调整图像和边界框的大小

    由于训练一个计算机视觉模型需要的图像是相同的大小,我们需要调整我们的图像和他们相应的包围盒。调整图像的大小很简单,但是调整包围盒的大小有点棘手,因为每个包围盒都与图像及其尺寸相关。

    下面是调整包围盒大小的工作原理:

    · 将边界框转换为与其对应的图像大小相同的图像(称为掩码)。这个掩码只有        0 表示背景,1 表示边界框覆盖的区域。

    图片

    图片

    · 将掩码调整到所需的尺寸。

    · 从调整完大小的掩码中提取边界框坐标。

    1. def create_mask(bb, x):
    2. """Creates a mask for the bounding box of same shape as image"""
    3. rows,cols,*_ = x.shape
    4. Y = np.zeros((rows, cols))
    5. bb = bb.astype(np.int)
    6. Y[bb[0]:bb[2], bb[1]:bb[3]] = 1.
    7. return Y
    8. def mask_to_bb(Y):
    9. """Convert mask Y to a bounding box, assumes 0 as background nonzero object"""
    10. cols, rows = np.nonzero(Y)
    11. if len(cols)==0:
    12. return np.zeros(4, dtype=np.float32)
    13. top_row = np.min(rows)
    14. left_col = np.min(cols)
    15. bottom_row = np.max(rows)
    16. right_col = np.max(cols)
    17. return np.array([left_col, top_row, right_col, bottom_row], dtype=np.float32)
    18. def create_bb_array(x):
    19. """Generates bounding box array from a train_df row"""
    20. return np.array([x[5],x[4],x[7],x[6]])
    21. def resize_image_bb(read_path,write_path,bb,sz):
    22. """Resize an image and its bounding box and write image to new path"""
    23. im = read_image(read_path)
    24. im_resized = cv2.resize(im, (int(1.49*sz), sz))
    25. Y_resized = cv2.resize(create_mask(bb, im), (int(1.49*sz), sz))
    26. new_path = str(write_path/read_path.parts[-1])
    27. cv2.imwrite(new_path, cv2.cvtColor(im_resized, cv2.COLOR_RGB2BGR))
    28. return new_path, mask_to_bb(Y_resized)
    29. #Populating Training DF with new paths and bounding boxes
    30. new_paths = []
    31. new_bbs = []
    32. train_path_resized = Path('./road_signs/images_resized')
    33. for index, row in df_train.iterrows():
    34. new_path,new_bb = resize_image_bb(row['filename'], train_path_resized, create_bb_array(row.values),300)
    35. new_paths.append(new_path)
    36. new_bbs.append(new_bb)
    37. df_train['new_path'] = new_paths
    38. df_train['new_bb'] = new_bbs

    数据增强

    数据增强是一种通过使用现有图像的不同变体创建新的训练图像来更好地概括我们的模型的技术。我们当前的训练集中只有 800 张图像,因此数据增强对于确保我们的模型不会过拟合非常重要。

    对于这个问题,我使用了翻转、旋转、中心裁剪和随机裁剪。

    这里唯一需要记住的是确保包围盒也以与图像相同的方式进行转换。

    1. # modified from fast.ai
    2. def crop(im, r, c, target_r, target_c):
    3. return im[r:r+target_r, c:c+target_c]
    4. # random crop to the original size
    5. def random_crop(x, r_pix=8):
    6. """ Returns a random crop"""
    7. r, c,*_ = x.shape
    8. c_pix = round(r_pix*c/r)
    9. rand_r = random.uniform(0, 1)
    10. rand_c = random.uniform(0, 1)
    11. start_r = np.floor(2*rand_r*r_pix).astype(int)
    12. start_c = np.floor(2*rand_c*c_pix).astype(int)
    13. return crop(x, start_r, start_c, r-2*r_pix, c-2*c_pix)
    14. def center_crop(x, r_pix=8):
    15. r, c,*_ = x.shape
    16. c_pix = round(r_pix*c/r)
    17. return crop(x, r_pix, c_pix, r-2*r_pix, c-2*c_pix)
    18. def rotate_cv(im, deg, y=False, mode=cv2.BORDER_REFLECT, interpolation=cv2.INTER_AREA):
    19. """ Rotates an image by deg degrees"""
    20. r,c,*_ = im.shape
    21. M = cv2.getRotationMatrix2D((c/2,r/2),deg,1)
    22. if y:
    23. return cv2.warpAffine(im, M,(c,r), borderMode=cv2.BORDER_CONSTANT)
    24. return cv2.warpAffine(im,M,(c,r), borderMode=mode, flags=cv2.WARP_FILL_OUTLIERS+interpolation)
    25. def random_cropXY(x, Y, r_pix=8):
    26. """ Returns a random crop"""
    27. r, c,*_ = x.shape
    28. c_pix = round(r_pix*c/r)
    29. rand_r = random.uniform(0, 1)
    30. rand_c = random.uniform(0, 1)
    31. start_r = np.floor(2*rand_r*r_pix).astype(int)
    32. start_c = np.floor(2*rand_c*c_pix).astype(int)
    33. xx = crop(x, start_r, start_c, r-2*r_pix, c-2*c_pix)
    34. YY = crop(Y, start_r, start_c, r-2*r_pix, c-2*c_pix)
    35. return xx, YY
    36. def transformsXY(path, bb, transforms):
    37. x = cv2.imread(str(path)).astype(np.float32)
    38. x = cv2.cvtColor(x, cv2.COLOR_BGR2RGB)/255
    39. Y = create_mask(bb, x)
    40. if transforms:
    41. rdeg = (np.random.random()-.50)*20
    42. x = rotate_cv(x, rdeg)
    43. Y = rotate_cv(Y, rdeg, y=True)
    44. if np.random.random() > 0.5:
    45. x = np.fliplr(x).copy()
    46. Y = np.fliplr(Y).copy()
    47. x, Y = random_cropXY(x, Y)
    48. else:
    49. x, Y = center_crop(x), center_crop(Y)
    50. return x, mask_to_bb(Y)
    51. def create_corner_rect(bb, color='red'):
    52. bb = np.array(bb, dtype=np.float32)
    53. return plt.Rectangle((bb[1], bb[0]), bb[3]-bb[1], bb[2]-bb[0], color=color,
    54. fill=False, lw=3)
    55. def show_corner_bb(im, bb):
    56. plt.imshow(im)
    57. plt.gca().add_patch(create_corner_rect(bb))

    图片

    PyTorch 数据集

    现在我们已经有了数据增强,我们可以进行训练验证拆分并创建我们的 PyTorch 数据集。我们使用 ImageNet 统计数据对图像进行标准化,因为我们使用的是预训练的 ResNet 模型并在训练时在我们的数据集中应用数据增强。

    1. X_train, X_val, y_train, y_val = train_test_split(X, Y, test_size=0.2, random_state=42)
    2. def normalize(im):
    3. """Normalizes images with Imagenet stats."""
    4. imagenet_stats = np.array([[0.485, 0.456, 0.406], [0.229, 0.224, 0.225]])
    5. return (im - imagenet_stats[0])/imagenet_stats[1]
    1. class RoadDataset(Dataset):
    2. def __init__(self, paths, bb, y, transforms=False):
    3. self.transforms = transforms
    4. self.paths = paths.values
    5. self.bb = bb.values
    6. self.y = y.values
    7. def __len__(self):
    8. return len(self.paths)
    9. def __getitem__(self, idx):
    10. path = self.paths[idx]
    11. y_class = self.y[idx]
    12. x, y_bb = transformsXY(path, self.bb[idx], self.transforms)
    13. x = normalize(x)
    14. x = np.rollaxis(x, 2)
    15. return x, y_class, y_bb
    1. train_ds = RoadDataset(X_train['new_path'],X_train['new_bb'] ,y_train, transforms=True)
    2. valid_ds = RoadDataset(X_val['new_path'],X_val['new_bb'],y_val)
    1. batch_size = 64
    2. train_dl = DataLoader(train_ds, batch_size=batch_size, shuffle=True)
    3. valid_dl = DataLoader(valid_ds, batch_size=batch_size)

    PyTorch 模型

    对于这个模型,我使用了一个非常简单的预先训练的 resNet-34模型。由于我们有两个任务要完成,这里有两个最后的层: 包围盒回归器和图像分类器。

    1. class BB_model(nn.Module):
    2. def __init__(self):
    3. super(BB_model, self).__init__()
    4. resnet = models.resnet34(pretrained=True)
    5. layers = list(resnet.children())[:8]
    6. self.features1 = nn.Sequential(*layers[:6])
    7. self.features2 = nn.Sequential(*layers[6:])
    8. self.classifier = nn.Sequential(nn.BatchNorm1d(512), nn.Linear(512, 4))
    9. self.bb = nn.Sequential(nn.BatchNorm1d(512), nn.Linear(512, 4))
    10. def forward(self, x):
    11. x = self.features1(x)
    12. x = self.features2(x)
    13. x = F.relu(x)
    14. x = nn.AdaptiveAvgPool2d((1,1))(x)
    15. x = x.view(x.shape[0], -1)
    16. return self.classifier(x), self.bb(x)

    训练

    对于损失,我们需要同时考虑分类损失和边界框回归损失,因此我们使用交叉熵和 L1 损失(真实值和预测坐标之间的所有绝对差之和)的组合。我已经将 L1 损失缩放了 1000 倍,因为分类和回归损失都在相似的范围内。除此之外,它是一个标准的 PyTorch 训练循环(使用 GPU):

    1. def update_optimizer(optimizer, lr):
    2. for i, param_group in enumerate(optimizer.param_groups):
    3. param_group["lr"] = lr
    4. def train_epocs(model, optimizer, train_dl, val_dl, epochs=10,C=1000):
    5. idx = 0
    6. for i in range(epochs):
    7. model.train()
    8. total = 0
    9. sum_loss = 0
    10. for x, y_class, y_bb in train_dl:
    11. batch = y_class.shape[0]
    12. x = x.cuda().float()
    13. y_class = y_class.cuda()
    14. y_bb = y_bb.cuda().float()
    15. out_class, out_bb = model(x)
    16. loss_class = F.cross_entropy(out_class, y_class, reduction="sum")
    17. loss_bb = F.l1_loss(out_bb, y_bb, reduction="none").sum(1)
    18. loss_bb = loss_bb.sum()
    19. loss = loss_class + loss_bb/C
    20. optimizer.zero_grad()
    21. loss.backward()
    22. optimizer.step()
    23. idx += 1
    24. total += batch
    25. sum_loss += loss.item()
    26. train_loss = sum_loss/total
    27. val_loss, val_acc = val_metrics(model, valid_dl, C)
    28. print("train_loss %.3f val_loss %.3f val_acc %.3f" % (train_loss, val_loss, val_acc))
    29. return sum_loss/total
    30. def val_metrics(model, valid_dl, C=1000):
    31. model.eval()
    32. total = 0
    33. sum_loss = 0
    34. correct = 0
    35. for x, y_class, y_bb in valid_dl:
    36. batch = y_class.shape[0]
    37. x = x.cuda().float()
    38. y_class = y_class.cuda()
    39. y_bb = y_bb.cuda().float()
    40. out_class, out_bb = model(x)
    41. loss_class = F.cross_entropy(out_class, y_class, reduction="sum")
    42. loss_bb = F.l1_loss(out_bb, y_bb, reduction="none").sum(1)
    43. loss_bb = loss_bb.sum()
    44. loss = loss_class + loss_bb/C
    45. _, pred = torch.max(out_class, 1)
    46. correct += pred.eq(y_class).sum().item()
    47. sum_loss += loss.item()
    48. total += batch
    49. return sum_loss/total, correct/total
    50. model = BB_model().cuda()
    51. parameters = filter(lambda p: p.requires_grad, model.parameters())
    52. optimizer = torch.optim.Adam(parameters, lr=0.006)
    53. train_epocs(model, optimizer, train_dl, valid_dl, epochs=15)

    测试

    现在我们已经完成了训练,我们可以选择一个随机图像并在上面测试我们的模型。尽管我们只有相当少量的训练图像,但是我们最终在测试图像上得到了一个相当不错的预测。

    使用手机拍摄真实照片并测试模型将是一项有趣的练习。另一个有趣的实验是不执行任何数据增强并训练模型并比较两个模型。

    1. # resizing test image
    2. im = read_image('./road_signs/images_resized/road789.png')
    3. im = cv2.resize(im, (int(1.49*300), 300))
    4. cv2.imwrite('./road_signs/road_signs_test/road789.jpg', cv2.cvtColor(im, cv2.COLOR_RGB2BGR))
    5. # test Dataset
    6. test_ds = RoadDataset(pd.DataFrame([{'path':'./road_signs/road_signs_test/road789.jpg'}])['path'],pd.DataFrame([{'bb':np.array([0,0,0,0])}])['bb'],pd.DataFrame([{'y':[0]}])['y'])
    7. x, y_class, y_bb = test_ds[0]
    8. xx = torch.FloatTensor(x[None,])
    9. xx.shape
    10. # prediction
    11. out_class, out_bb = model(xx.cuda())
    12. out_class, out_bb

    图片

    总结

    现在我们已经介绍了目标检测的基本原理,并从头开始实现它,您可以将这些想法扩展到多对象情况,并尝试更复杂的模型,如 RCNN 和 YOLO!

  • 相关阅读:
    Eureka的设计理念
    程序调试技巧
    Jenkins流水线部署模板,编译、部署、关闭、回滚流水线脚本
    网页基本信息和标签
    日本SolarView Compact光伏发电测量系统 目录遍历漏洞复现(CVE-2023-40924)
    27.Tornado_peewee_数据查询
    Celery笔记五之消息队列
    Shiro入门(五)Shiro自定义Realm和加密算法
    Python | Shell | os模块实用方法的不完全总结
    java并发编程:synchronized同步方法
  • 原文地址:https://blog.csdn.net/qq_39312146/article/details/134428621