以 Angular 6 反应形式预填充和验证日期

Pre-populating and validating date in Angular 6 reactive form

除我的日期外,其余所有字段都已预填充。

出于测试目的,我将日期硬编码为 MM/DD/YYYY。

我将从数据库中获取日期和时间,因此我需要使用管道来实现 MM/DD/YYYY(我对此是否正确?)

组件代码

this.projectForm = new FormGroup({
  'name': new FormControl(project.ProjectName, [Validators.required, Validators.minLength(3), Validators.maxLength(20)]),
  'customerName': new FormControl(project.CustomerName, [Validators.required, Validators.minLength(3), Validators.maxLength(20)]),
  'soNo': new FormControl(project.CustomerOrderId, [Validators.required, Validators.maxLength(30)]),

  'poNo': new FormControl({ value: project.PurchaseOrderId, disabled: true }),

  'expectedDate': new FormControl({ value: project.ExpectedDate, disabled: true }), 
  'installDate': new FormControl(project.InstallDate),
  'closeDate': new FormControl(project.CloseDate),

  'status': new FormControl(project.Status, [Validators.required, ForbiddenProjectStatusValidator.forbiddenProjectStatus])
});


//setting the dates and status dropdown
this.projectForm.patchValue({
  'expectedDate': '08/17/2018',
  'installDate': '08/18/2018',
  'closeDate': '08/19/2018',
  'status': project.Status ? project.Status : "" 
});

html

<input type="date" id="expectedDate" class="form-control" placeholder="Expected Date" formControlName="expectedDate">

由于输入类型日期,浏览器显示日历控件。

所以基本上,

如何

更新 1:

selected 的答案是完美的,它详细说明了 moment 的使用,但现在我已经采用了最简单的解决方案...

https://css-tricks.com/prefilling-date-input/

how to convert current date to YYYY-MM-DD format with angular 2

How to format a JavaScript date

这对我有用

expectedDate: new Date('08/08/2018').toISOString().substr(0, 10)

或当前

expectedDate: new Date(new Date().toLocaleDateString("en-US")).toISOString().substr(0, 10) 

expectedDate: '2018-08-08' 

日期必须是 YYYY-MM-DD。

为了验证,模式正在运行

'expectedDate': new FormControl(project.InstallDate, [Validators.pattern('[0-9]{4}-[0-9]{2}-[0-9]{2}')])

您可以为日期定义自定义验证器。使用支持日期验证的日期时间,例如 moment

import { FormControl } from "@angular/forms";
import * as moment from "moment";

export function DateValidator(format = "MM/dd/YYYY"): any {
  return (control: FormControl): { [key: string]: any } => {
    const val = moment(control.value, format, true);

    if (!val.isValid()) {
      return { invalidDate: true };
    }

    return null;
  };
}

然后在表单控件中使用

{
   ...
  'closeDate': new FormControl(project.CloseDate, [ DateValidator() ]),
}

From the DB, i'll get Date and Time, so i'll need to use the pipe to make it MM/DD/YYYY (am i correct about this?)

不能在 FormControl 中使用管道。最简单的方法是在修补值形成

之前转换为目标格式
this.projectForm.patchValue({
  'expectedDate': moment(model.expectedDate).format('MM/dd/YYYY'),
  ...
});