8.3 自动并行计算

上一节提到,默认情况下,GPU 操作是异步的。当调用一个使用 GPU 的函数时,这些操作会在特定的设备上排队,但不一定会在稍后执行。这允许我们并行更多的计算,包括 CPU 或其他 GPU 上的操作。 下面看一个简单的例子。

首先导入本节中实验所需的包或模块。注意,需要至少2块GPU才能运行本节实验。

  1. import torch
  2. import time
  3. assert torch.cuda.device_count() >= 2

我们先实现一个简单的计时类。

  1. class Benchmark(): # 本类已保存在d2lzh_pytorch包中方便以后使用
  2. def __init__(self, prefix=None):
  3. self.prefix = prefix + ' ' if prefix else ''
  4. def __enter__(self):
  5. self.start = time.time()
  6. def __exit__(self, *args):
  7. print('%stime: %.4f sec' % (self.prefix, time.time() - self.start))

再定义run函数,令它做20000次矩阵乘法。

  1. def run(x):
  2. for _ in range(20000):
  3. y = torch.mm(x, x)

接下来,分别在两块GPU上创建Tensor

  1. x_gpu1 = torch.rand(size=(100, 100), device='cuda:0')
  2. x_gpu2 = torch.rand(size=(100, 100), device='cuda:1')

然后,分别使用它们运行run函数并打印运行所需时间。

  1. with Benchmark('Run on GPU1.'):
  2. run(x_gpu1)
  3. torch.cuda.synchronize()
  4. with Benchmark('Then run on GPU2.'):
  5. run(x_gpu2)
  6. torch.cuda.synchronize()

输出:

  1. Run on GPU1. time: 0.2989 sec
  2. Then run on GPU2. time: 0.3518 sec

尝试系统能自动并行这两个任务:

  1. with Benchmark('Run on both GPU1 and GPU2 in parallel.'):
  2. run(x_gpu1)
  3. run(x_gpu2)
  4. torch.cuda.synchronize()

输出:

  1. Run on both GPU1 and GPU2 in parallel. time: 0.5076 sec

可以看到,当两个计算任务一起执行时,执行总时间小于它们分开执行的总和。这表明,PyTorch能有效地实现在不同设备上自动并行计算。


注:本节与原书有很多不同,原书传送门