• 教程 >
  • TorchScript 中的动态并行
快捷方式

TorchScript 中的动态并行

创建于:2020 年 7 月 28 日 | 最后更新:2024 年 12 月 02 日 | 最后验证:2024 年 11 月 05 日

警告

TorchScript 不再处于积极开发阶段。

在本教程中,我们将介绍在 TorchScript 中进行动态操作间并行的语法。这种并行具有以下属性

  • 动态 - 创建的并行任务数量及其工作负载可以取决于程序的控制流。

  • 操作间 - 并行处理关注并行运行 TorchScript 程序片段。这与操作内并行不同,后者关注拆分单个运算符并并行运行运算符工作的一部分。

基本语法

动态并行的两个重要 API 是

  • torch.jit.fork(fn : Callable[..., T], *args, **kwargs) -> torch.jit.Future[T]

  • torch.jit.wait(fut : torch.jit.Future[T]) -> T

演示这些工作原理的一个好方法是通过示例

import torch

def foo(x):
    return torch.neg(x)

@torch.jit.script
def example(x):
    # Call `foo` using parallelism:
    # First, we "fork" off a task. This task will run `foo` with argument `x`
    future = torch.jit.fork(foo, x)

    # Call `foo` normally
    x_normal = foo(x)

    # Second, we "wait" on the task. Since the task may be running in
    # parallel, we have to "wait" for its result to become available.
    # Notice that by having lines of code between the "fork()" and "wait()"
    # call for a given Future, we can overlap computations so that they
    # run in parallel.
    x_parallel = torch.jit.wait(future)

    return x_normal, x_parallel

print(example(torch.ones(1))) # (-1., -1.)

fork() 接受可调用对象 fn 和该可调用对象的参数 argskwargs,并为执行 fn 创建一个异步任务。fn 可以是函数、方法或 Module 实例。fork() 返回对执行结果值的引用,称为 Future。由于 fork 在创建异步任务后立即返回,因此在执行 fork() 调用后的代码行时,fn 可能尚未执行。因此,wait() 用于等待异步任务完成并返回值。

这些构造可用于重叠函数中语句的执行(在工作示例部分中显示),或者与其他语言构造(如循环)组合使用

import torch
from typing import List

def foo(x):
    return torch.neg(x)

@torch.jit.script
def example(x):
    futures : List[torch.jit.Future[torch.Tensor]] = []
    for _ in range(100):
        futures.append(torch.jit.fork(foo, x))

    results = []
    for future in futures:
        results.append(torch.jit.wait(future))

    return torch.sum(torch.stack(results))

print(example(torch.ones([])))

注意

当我们初始化一个空的 Futures 列表时,我们需要向 futures 添加显式类型注释。在 TorchScript 中,空容器默认假定它们包含 Tensor 值,因此我们将列表构造函数注释为类型 List[torch.jit.Future[torch.Tensor]]

此示例使用 fork() 启动 100 个函数 foo 的实例,等待 100 个任务完成,然后对结果求和,返回 -100.0

应用示例:双向 LSTM 集成

让我们尝试将并行应用于更实际的示例,看看我们可以从中获得什么样的性能。首先,让我们定义基线模型:双向 LSTM 层集成。

import torch, time

# In RNN parlance, the dimensions we care about are:
# # of time-steps (T)
# Batch size (B)
# Hidden size/number of "channels" (C)
T, B, C = 50, 50, 1024

# A module that defines a single "bidirectional LSTM". This is simply two
# LSTMs applied to the same sequence, but one in reverse
class BidirectionalRecurrentLSTM(torch.nn.Module):
    def __init__(self):
        super().__init__()
        self.cell_f = torch.nn.LSTM(input_size=C, hidden_size=C)
        self.cell_b = torch.nn.LSTM(input_size=C, hidden_size=C)

    def forward(self, x : torch.Tensor) -> torch.Tensor:
        # Forward layer
        output_f, _ = self.cell_f(x)

        # Backward layer. Flip input in the time dimension (dim 0), apply the
        # layer, then flip the outputs in the time dimension
        x_rev = torch.flip(x, dims=[0])
        output_b, _ = self.cell_b(torch.flip(x, dims=[0]))
        output_b_rev = torch.flip(output_b, dims=[0])

        return torch.cat((output_f, output_b_rev), dim=2)


# An "ensemble" of `BidirectionalRecurrentLSTM` modules. The modules in the
# ensemble are run one-by-one on the same input then their results are
# stacked and summed together, returning the combined result.
class LSTMEnsemble(torch.nn.Module):
    def __init__(self, n_models):
        super().__init__()
        self.n_models = n_models
        self.models = torch.nn.ModuleList([
            BidirectionalRecurrentLSTM() for _ in range(self.n_models)])

    def forward(self, x : torch.Tensor) -> torch.Tensor:
        results = []
        for model in self.models:
            results.append(model(x))
        return torch.stack(results).sum(dim=0)

# For a head-to-head comparison to what we're going to do with fork/wait, let's
# instantiate the model and compile it with TorchScript
ens = torch.jit.script(LSTMEnsemble(n_models=4))

# Normally you would pull this input out of an embedding table, but for the
# purpose of this demo let's just use random data.
x = torch.rand(T, B, C)

# Let's run the model once to warm up things like the memory allocator
ens(x)

x = torch.rand(T, B, C)

# Let's see how fast it runs!
s = time.time()
ens(x)
print('Inference took', time.time() - s, ' seconds')

在我的机器上,此网络运行时间为 2.05 秒。我们可以做得更好!

并行化前向和后向层

我们可以做的一个非常简单的事情是并行化 BidirectionalRecurrentLSTM 中的前向和后向层。为此,计算的结构是静态的,因此我们实际上甚至不需要任何循环。让我们像这样重写 BidirectionalRecurrentLSTMforward 方法

def forward(self, x : torch.Tensor) -> torch.Tensor:
    # Forward layer - fork() so this can run in parallel to the backward
    # layer
    future_f = torch.jit.fork(self.cell_f, x)

    # Backward layer. Flip input in the time dimension (dim 0), apply the
    # layer, then flip the outputs in the time dimension
    x_rev = torch.flip(x, dims=[0])
    output_b, _ = self.cell_b(torch.flip(x, dims=[0]))
    output_b_rev = torch.flip(output_b, dims=[0])

    # Retrieve the output from the forward layer. Note this needs to happen
    # *after* the stuff we want to parallelize with
    output_f, _ = torch.jit.wait(future_f)

    return torch.cat((output_f, output_b_rev), dim=2)

在此示例中,forward()cell_f 的执行委托给另一个线程,同时它继续执行 cell_b。这导致两个单元的执行彼此重叠。

再次运行脚本,进行此简单修改后,运行时为 1.71 秒,性能提升了 17%

旁注:可视化并行

我们尚未完成模型的优化,但值得介绍我们用于可视化性能的工具。一个重要的工具是 PyTorch 性能分析器

让我们将性能分析器与 Chrome 跟踪导出功能一起使用,以可视化我们并行化模型的性能

with torch.autograd.profiler.profile() as prof:
    ens(x)
prof.export_chrome_trace('parallel.json')

此代码片段将写出一个名为 parallel.json 的文件。如果您在 Google Chrome 中导航到 chrome://tracing,单击 加载 按钮,然后加载该 JSON 文件,您应该看到如下时间线

https://i.imgur.com/rm5hdG9.png

时间线的水平轴表示时间,垂直轴表示执行线程。正如我们所看到的,我们一次运行两个 lstm 实例。这是我们努力并行化双向层的结果!

并行化集成中的模型

您可能已经注意到,我们的代码中还有进一步的并行化机会:我们还可以并行运行 LSTMEnsemble 中包含的模型。这样做的方法非常简单,这就是我们应该如何更改 LSTMEnsembleforward 方法

def forward(self, x : torch.Tensor) -> torch.Tensor:
    # Launch tasks for each model
    futures : List[torch.jit.Future[torch.Tensor]] = []
    for model in self.models:
        futures.append(torch.jit.fork(model, x))

    # Collect the results from the launched tasks
    results : List[torch.Tensor] = []
    for future in futures:
        results.append(torch.jit.wait(future))

    return torch.stack(results).sum(dim=0)

或者,如果您注重简洁,我们可以使用列表推导式

def forward(self, x : torch.Tensor) -> torch.Tensor:
    futures = [torch.jit.fork(model, x) for model in self.models]
    results = [torch.jit.wait(fut) for fut in futures]
    return torch.stack(results).sum(dim=0)

如简介中所述,我们使用循环为集成中的每个模型 fork 出任务。然后,我们使用另一个循环等待所有任务完成。这提供了更多的计算重叠。

通过这个小的更新,脚本运行时间为 1.4 秒,总加速 32%!对于两行代码来说,非常不错了。

我们还可以再次使用 Chrome 跟踪器来查看发生了什么

https://i.imgur.com/kA0gyQm.png

我们现在可以看到所有 LSTM 实例都在完全并行运行。

结论

在本教程中,我们学习了 fork()wait(),这是在 TorchScript 中进行动态操作间并行处理的基本 API。我们看到了使用这些函数并行化 TorchScript 代码中函数、方法或 Modules 执行的一些典型用法模式。最后,我们通过一个使用此技术优化模型的示例,并探索了 PyTorch 中可用的性能测量和可视化工具。

文档

访问 PyTorch 的全面开发者文档

查看文档

教程

获取面向初学者和高级开发者的深入教程

查看教程

资源

查找开发资源并获得问题解答

查看资源