我有一个数组假设[1,2,3,4,5,6,7,8,9,10]
想要在角度的html侧制作nxn矩阵。
我知道我可以先将数组划分为2d in typescript file [[1,2,3,4,5],[6,7,8,9,10]]
并使用* ngFor迭代html中的元素。
但我试图找到一种方法来显示在component.html中使用单个数组的矩阵,而不将其转换为2d数组。
输出:
1 2 3 4 5
6 7 8 9 10
如果要在模板中显示矩阵而在打字稿一侧没有任何逻辑,则可以使用Array.prototype.slice生成一个数组,只要您的行数。然后使用ngFor
迭代该数组并从index
变量获取索引,这将是您的行索引。
然后再次使用内部ngFor
和slice
从数组和行索引中获取行。
您只需将n
设置为每行的项目数:
<div *ngFor="let row of arr.slice(0, arr.length / n % 1 === 0 ? arr.length / n : arr.length / n + 1); let idx = index">
<span *ngFor="let x of arr.slice(idx * n, idx * n + n)">{{ x }}</span>
</div>
看到这个stackblitz demo。
但是,我认为更优雅的解决方案是在typescript中从数组创建一个矩阵,然后简单地迭代行和列:
const arr = [1,2,3,4,5,6,7,8,9,10];
const n = 4;
const matrix = Array
.from({ length: Math.ceil(this.arr.length / this.n) }, (_, i) => i)
.map(i => this.arr.slice(i * this.n, i * this.n + this.n));
<div *ngFor="let row of matrix">
<span *ngFor="let x of row">{{ x }}</span>
</div>
或者您可以使用角度管道创建该矩阵,类似于此,行长度为4:
<div *ngFor="let row of arr | toMatrix:4">
<span *ngFor="let x of row">{{ x }}</span>
</div>
然后管道将保持逻辑以创建矩阵:
@Pipe({
name: 'toMatrix'
})
export class ToMatrixPipe implements PipeTransform {
transform(arr: number[], n: number): number[][] {
const rows = Array.from({ length: Math.ceil(arr.length / n) }, (_, i) => i);
return rows.map(idx => arr.slice(idx * n, idx * n + n));
}
}
你可以通过以下方式实现它。我将展示两个示例,一个是2d数组,另一个是单个数组。
2d阵列
var a = [[1,2,3],[4,5,6]];
now to get an element placed at Xth row and Yth column you will use
a[X-1][Y-1]
e.g. to get element form 1st row and 2nd column we will print
a[1-1][2-1] = a[0][1];
1D阵列
var a = [1,2,3,4,5,6];
now to achieve 2D like functionality first define the strength of row.
let that be L. In our case strength of row will be L = 3.
now to get an element placed at Xth row and Yth column you will use
a[Z*(X-1)+ (Y-1)]
e.g. to get element form 1st row and 2nd column we will print
a[3*(1-1) + (2-1)] = a[1];
您可以简单地使用%
运算符。
let nmatrix = (n) => {
let temp = []
for(let i=1;i <1+(n*n); i++){
temp.push(i)
if(i % n === 0) {
console.log(...temp)
temp = []
}
}
}
nmatrix(4)