import torch
model = torch.hub.load('pytorch/vision:v0.10.0', 'deeplabv3_resnet50', pretrained=True)
# or any of these variants
# model = torch.hub.load('pytorch/vision:v0.10.0', 'deeplabv3_resnet101', pretrained=True)
# model = torch.hub.load('pytorch/vision:v0.10.0', 'deeplabv3_mobilenet_v3_large', pretrained=True)
model.eval()
所有预训练模型都期望以相同的方式规范化输入图像,即形状为 (N, 3, H, W)
的 3 通道 RGB 图像的小批量,其中 N
是图像数量,H
和 W
预计至少为 224
像素。图像必须加载到 [0, 1]
范围内,然后使用 mean = [0.485, 0.456, 0.406]
和 std = [0.229, 0.224, 0.225]
进行规范化。
模型返回一个包含两个张量的 OrderedDict
,这两个张量与输入张量具有相同的高度和宽度,但具有 21 个类别。 output['out']
包含语义掩码,output['aux']
包含每个像素的辅助损失值。在推理模式下,output['aux']
没有用处。因此,output['out']
的形状为 (N, 21, H, W)
。更多文档可以在这里找到 这里。
# Download an example image from the pytorch website
import urllib
url, filename = ("https://github.com/pytorch/hub/raw/master/images/deeplab1.png", "deeplab1.png")
try: urllib.URLopener().retrieve(url, filename)
except: urllib.request.urlretrieve(url, filename)
# sample execution (requires torchvision)
from PIL import Image
from torchvision import transforms
input_image = Image.open(filename)
input_image = input_image.convert("RGB")
preprocess = transforms.Compose([
transforms.ToTensor(),
transforms.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225]),
])
input_tensor = preprocess(input_image)
input_batch = input_tensor.unsqueeze(0) # create a mini-batch as expected by the model
# move the input and model to GPU for speed if available
if torch.cuda.is_available():
input_batch = input_batch.to('cuda')
model.to('cuda')
with torch.no_grad():
output = model(input_batch)['out'][0]
output_predictions = output.argmax(0)
此处的输出形状为 (21, H, W)
,并且在每个位置,都有与每个类别的预测相对应的非标准化概率。要获取每个类别的最大预测,然后将其用于下游任务,您可以执行 output_predictions = output.argmax(0)
。
这是一个小的代码片段,它绘制预测结果,其中每个颜色分配给每个类别(请参见左侧的可视化图像)。
# create a color pallette, selecting a color for each class
palette = torch.tensor([2 ** 25 - 1, 2 ** 15 - 1, 2 ** 21 - 1])
colors = torch.as_tensor([i for i in range(21)])[:, None] * palette
colors = (colors % 255).numpy().astype("uint8")
# plot the semantic segmentation predictions of 21 classes in each color
r = Image.fromarray(output_predictions.byte().cpu().numpy()).resize(input_image.size)
r.putpalette(colors)
import matplotlib.pyplot as plt
plt.imshow(r)
# plt.show()
模型描述
Deeplabv3-ResNet 由使用 ResNet-50 或 ResNet-101 主干网络的 Deeplabv3 模型构建。Deeplabv3-MobileNetV3-Large 由使用 MobileNetV3 大型主干网络的 Deeplabv3 模型构建。预训练模型已在 COCO train2017 的一个子集上进行了训练,该子集包含 Pascal VOC 数据集中存在的 20 个类别。
在 COCO val2017 数据集上评估的预训练模型的准确率如下所示。
模型结构 | 平均 IOU | 全局像素精度 |
---|---|---|
deeplabv3_resnet50 | 66.4 | 92.4 |
deeplabv3_resnet101 | 67.4 | 92.4 |
deeplabv3_mobilenet_v3_large | 60.3 | 91.2 |