cat
矩阵拼接操作,将符合要求的不同矩阵在某一维度上进行拼接。
cat要求进行拼接的矩阵在非拼接维度上完全相同。
import torch
a1 = torch.rand(4, 3, 32, 32)
a2 = torch.rand(5, 3, 32, 32)
a3 = torch.rand(4, 1, 32, 32)
a4 = torch.rand(4, 3, 16, 32)
print("torch.cat([a1, a2], dim=0): ",
torch.cat([a1, a2], dim=0).shape)
print("torch.cat([a1, a3], dim=1): ",
torch.cat([a1, a3], dim=1).shape)
print("torch.cat([a1, a4], dim=2): ",
torch.cat([a1, a4], dim=2).shape)
stack
矩阵堆叠,将若干维度完全相同的句子在某一维度上进行堆叠。
stack操作会在指定维度前增加一个维度,然后让后面的维度堆叠起来。
要求堆叠的矩阵维度完全相同。
import torch
a1 = torch.rand(4, 3, 16, 32)
a2 = torch.rand(4, 3, 16, 32)
print("torch.cat([a1, a2], dim=2): ",
torch.cat([a1, a2], dim=2).shape)
print("torch.stack([a1, a2], dim=2): ",
torch.stack([a1, a2], dim=2).shape)
a = torch.rand(32, 8)
b = torch.rand(32, 8)
print("torch.stack([a, b], dim=0): ",
torch.stack([a, b], dim=0).shape)
split
split可对矩阵按长度进行分割。
split有两种分割模式:
- 输入列表:会根据列表中的值进行分割,要求列表值之和等于被分割维度元素个数。
- 输入数值:会根据数值进行分割,会分割出若干个等长的矩阵,当剩余长度小于指定长度时,也会将加入返回列表。要求输入数值小于等于被分割维度元素个数。
import torch
a = torch.rand(32, 8)
c = torch.stack([a, a, a, a, a, a], dim=0)
print("c.shape: ", c.shape)
def showSplits(ms):
for index, m in enumerate(ms):
print("第{}个tensor的shape为 {}".format(
index + 1, m.shape
))
print()
ms = c.split([1, 2, 1, 1, 1], dim=0)
print("c.split([1, 2, 1, 1, 1], dim=0):")
showSplits(ms)
ms = c.split(4, dim=0)
print("c.split(4, dim=0):")
showSplits(ms)
ms = c.split(8, dim=1)
print("c.split(8, dim=1):")
showSplits(ms)
ms = c.split(32, dim=1)
print("c.split(32, dim=1):")
showSplits(ms)
chunck
chunck可按照数量对矩阵进行分割,将矩阵分割为指定个数。
若矩阵可被均匀分割,则返回指定个数的相同维度矩阵。
若不可被均匀分割,则返回的最后一个矩阵维度会较低。
import torch
a = torch.rand(32, 8)
c = torch.stack([a, a, a, a, a, a], dim=0)
print("c.shape: ", c.shape)
def showSplits(ms):
for index, m in enumerate(ms):
print("第{}个tensor的shape为 {}".format(
index + 1, m.shape
))
print()
ms = c.chunk(2, dim=0)
print("c.chunk(2, dim=0):")
showSplits(ms)
ms = c.chunk(3, dim=0)
print("c.chunk(3, dim=0):")
showSplits(ms)
ms = c.chunk(5, dim=1)
print("c.chunk(5, dim=0):")
showSplits(ms)
|