我的步进器有很多步骤,所以我想将其分为两部分,即
当用户进入向导内部时,stepper标头仅显示1--2--3--4,然后,在完成第4步后,用户进入第5步,标头显示5--6-- 7--8,以此类推,以进行下一步。
您知道任何方法吗?
谢谢。
编辑:
我尝试使用*ngIf
隐藏/取消隐藏步骤,但是它确实从步进器数组中删除了这些步骤,因此在隐藏步骤时会丢失输入的信息。
也尝试过使用[hidden]
的类似方法,但是它根本不起作用。
答案 0 :(得分:3)
问题是mat-step
在呈现时会更改为mat-step-header
,并且其上的任何自定义类或属性都将消失。
以下代码可以工作,但是很混乱。最好的解决方案是找到另一个您需要的向导组件,或者向GitHub上的Material开发人员提交请求,以向mat-step
添加隐藏标志。
班级:
export class AppComponent implements OnInit, AfterViewInit{
private ngVersion: string = VERSION.full;
MAX_STEP = 7;
@ViewChild('stepper') private myStepper: MatStepper;
step: number = 0;
page:number = 0;
constructor() {}
ngOnInit() {}
ngAfterViewInit() {
this.rerender();
}
goBack() {
if (this.step > 0) {
this.step--;
this.myStepper.previous();
}
this.page = this.step > 3 ? 1 : 0;
this.rerender();
}
goForward() {
if(this.step < this.MAX_STEP) {
this.step++;
this.myStepper.next();
}
this.page = this.step > 3 ? 1 : 0;
this.rerender()
}
private rerender() {
let headers = document.getElementsByTagName('mat-step-header');
let lines = document.getElementsByClassName('mat-stepper-horizontal-line');
for (let h of headers) {
if (this.page === 0) {
if (Number.parseInt(h.getAttribute('ng-reflect-index')) > 3) {
h.style.display = 'none';
}
else {
h.style.display = 'flex';
}
}
else if (this.page === 1) {
if (Number.parseInt(h.getAttribute('ng-reflect-index')) < 4) {
h.style.display = 'none';
}
else {
h.style.display = 'flex';
}
}
}
for (let i = 0; i < lines.length; i++) {
if (this.page === 0) {
if (i > 2) {
lines[i].style.display = 'none';
}
else {
lines[i].style.display = 'block';
}
}
else if (this.page === 1) {
if (i < 4) {
lines[i].style.display = 'none';
}
else {
lines[i].style.display = 'block';
}
}
}
}
}
查看:
<div class="solution">
<!--------------------------------------------------------------------------------------->
<mat-horizontal-stepper #stepper>
<mat-step>
Step 1
</mat-step>
<mat-step>
Step 2
<input matInput placeholder="Address" required>
</mat-step>
<mat-step>
Step 3
</mat-step>
<mat-step>
Step 4
</mat-step>
<mat-step>
Step 5
</mat-step>
<mat-step>
Step 6
<input matInput placeholder="Address" required>
</mat-step>
<mat-step>
Step 7
</mat-step>
<mat-step>
Step 8
</mat-step>
<!-- one option -->
</mat-horizontal-stepper>
<!-- second option -->
<div>
<button (click)="goBack()" type="button" [hidden]="step === 0">Back</button>
<button (click)="goForward()" type="button" [hidden]="step === MAX_STEP">Next</button>
</div>
<!--------------------------------------------------------------------------------------->
Step: {{step}}
<br>
Page: {{page}}
</div>
答案 1 :(得分:1)
我最近正在研究类似的问题,并参考了 https://stackoverflow.com/a/59563396/14256240 的这个答案 Sasan 的一些参考,我尝试编写更通用的代码版本。通过考虑我们要随时显示的步骤的最小和最大索引,我在步进器中添加了一个分页选项。其余不在此范围内的步骤显示为“无”。
你可以参考这里的stackblitz: https://stackblitz.com/edit/angular-mat-stepper-paginator?file=src/app/stepper-paginator1/stepper-paginator1.component.ts
如果您对更详细的解释感兴趣,可以在此处查看我的博客: https://madhura-gore.medium.com/angular-material-stepper-with-pagination-b9e1b091b8f6
答案 2 :(得分:0)