美好的一天。
我寻找解决方案,即使有一个与我所问的问题类似的观点,我相信这个问题更独特,而不是重复的。
这是我的HTML表单:
<div class="form-group col-md-6" formGroupName="schema">
<div formArrayName="currencies">
<input type="text" class="form-control" id="percentage" formControlName="percentage" placeholder="Discount %*" required>
</div>
</div>
这是我的 ts 表单生成器。
this.createPromo = this.fb.group({
type: ['promotion'],
name: ['', Validators.required],
description: ['', Validators.required],
enabled: ['', Validators.required],
promotion_type: ['', Validators.required],
start: ['', Validators.required],
end: ['', Validators.required],
schema: this.fb.group({
currencies: this.fb.array([
this.fb.group({
percentage: '',
currency: 'ZAR'
})
])
}),
});
所以我希望我的表单作为分组数组提交。但是控制台中的错误是以下Cannot find control with path: 'schema -> currencies -> percentage'
,因此我无法提交我的表格,因为即使我输入了一个数字percentage
也是空的。
你的方案需要以下内容:
- 家长
div
formGroupName="schema"
. - 里面,一个
div
formArrayName="currencies"
. - 里面,一个
div
ngFor="let currencyGroup of currencyFormGroups; let i = index;"
.请注意,currencyFormGroups
是组件类中的 getter。 - 在其中,有一个带有
[formGroupName]="i"
div
,其中i
是我们在*ngFor
内动态创建的索引。 - Insde,两个
input
分别与formControlName="percentage"
和formControlName="currency"
s。
.
以下是转换为代码的所有这些步骤:
import { Component } from '@angular/core';
import { FormGroup, FormControl, FormArray, Validators, FormBuilder } from '@angular/forms';
@Component({
selector: 'my-app',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent {
createPromo: FormGroup;
constructor(private fb: FormBuilder) { }
ngOnInit() {
this.createPromo = this.fb.group({
'type': ['type'],
name: ['name', Validators.required],
description: ['description', Validators.required],
enabled: ['enabled', Validators.required],
promotion_type: ['promotion_type', Validators.required],
start: ['start', Validators.required],
end: ['end', Validators.required],
schema: this.fb.group({
currencies: this.fb.array([
this.fb.group({
percentage: 'percentage',
currency: 'ZAR'
}),
this.fb.group({
percentage: 'percentage',
currency: 'INR'
}),
])
}),
});
}
get currencyFormGroups() {
return (<FormArray>(<FormGroup>this.createPromo.get('schema')).get('currencies')).controls;
}
}
模板:
<form [formGroup]="createPromo">
...
<div formGroupName="schema">
<div formArrayName="currencies">
<div *ngFor="let currencyGroup of currencyFormGroups; let i = index;">
<div [formGroupName]="i">
<input
type="text"
name="percentage"
formControlName="percentage">
<input
type="text"
name="currency"
formControlName="currency">
</div>
</div>
</div>
</div>
</form>
这是您的参考的示例堆栈闪电战。
PS:为了简单起见,我认为所有表单控件都是input
。请相应地进行更改。