我正在构建一个简单的反应形式。为简单起见,假设我想要显示的唯一数据是日期。
test.component.html
<form novalidate [formGroup]="myForm">
<input type="date" formControlName="date">
</form>
test.component.ts
private date: Date = Date.now();
ngOnInit() {
this.myForm = this.fb.group({
date: [this.date, [Validators.required]]
});
}
模板上的输入类型=日期字段要求日期格式为'yyyy-MM-dd'。事件中的值是JavaScript Date对象。
如何修改模板级别的数据以使输入值正确?
我尝试了什么:
执行此操作的一种方法是将DatePipe注入我的组件并在代码中应用转换。
date: [datePipe.transform(this.event.date, 'yyyy-MM-dd'), [Validators.required]]
但这会将模板的实现细节与组件联系起来。例如,如果NativeScript模板要求日期采用MM/dd/yyyy
格式,该怎么办? formGroup不再有效。
答案 0 :(得分:3)
在@ n00dl3的帮助下,我唯一可以提出的方法是包装md-input组件并通过ControlValueAccessor
提供正确的值
import { Component, Input, ViewChild } from '@angular/core';
import { ControlValueAccessor, NG_VALUE_ACCESSOR } from '@angular/forms';
import { DatePipe } from '@angular/common';
import { MdInput } from '@angular/material';
@Component({
selector: 'md-date-input',
template: `
<md-input [placeholder]="placeholder"
type="date"
(change)="update()"
[value]="dateInput">
</md-input>`,
providers: [
{ provide: NG_VALUE_ACCESSOR, useExisting: DateInputComponent, multi: true }]
})
export class DateInputComponent implements ControlValueAccessor {
@Input() placeholder: string;
@ViewChild(MdInput) mdInput: MdInput;
dateInput: string;
onChange: (value: any) => void;
constructor(private datePipe: DatePipe) {
}
writeValue(value: any) {
this.dateInput = value == null ? '' : this.datePipe.transform(value, 'yyyy-MM-dd');
}
registerOnChange(fn: (value: any) => void) {
this.onChange = fn;
}
registerOnTouched(fn: (value: any) => void) {
}
update() {
this.onChange(this.mdInput.value ? new Date(this.mdInput.value) : '');
}
}