How to implement this tensor transform?

There are 3 tensors:
t_1 = [[0.1,0.2,0.3],[0.4,0.5,0.6]]
t_2 = [[1,2,3],[4,5,6]]
t_3 = [[10,20,30],[40,50,60]]

How to do transformation on t_1, t_2, t_3 to get new tensors n_1,n_2 ?
n_1 = [[0.1,0.2,0.3],[1,2,3],[10,20,30]]
n_2 = [[0.4,0.5,0.6],[4,5,6],[40,50,60]]

To make clear, I want to concatenate the first row of t_1, t_2, t_3 to generate n_1, and the second row of t_1, t_2, t_3 to generate n_2. How can I implement this in PyTorch?

This way:

import torch
t_1 = [[0.1,0.2,0.3],[0.4,0.5,0.6]]
t_2 = [[1,2,3],[4,5,6]]
t_3 = [[10,20,30],[40,50,60]]
x = torch.Tensor(t_1 + t_2 + t_3)
n_1 = x[::2]
n_2 = x[1::2]

Yes, It’s what I need! Thank you!