2

Angular 2 Bootstrap 日付ピッカーを入力したい入力があります。ページが開くと、値は を使用して今日の日付で開始されますvalue="{{ getStartDate() | date:'fullDate'}}"。しかし、ボタンをクリックして日付ピッカーを開いて新しい日付を選択すると、値が入力されません。また、ボタンをもう一度クリックして日付ピッカーを閉じることもできなくなりました。

HTML:

<form class="form-inline">
<div>
<div class="form-group" [ngClass]="{'has-error':!secondForm.controls['startDate'].valid && secondForm.controls['startDate'].touched}">
  <input value="{{ getStartDate() | date:'fullDate'}}" style="width:250px" class="form-control" type="text" [formControl]="secondForm.controls['startDate']">
</div>
<div style="display:inline-block">
  <ngb-datepicker *ngIf="startCheck==true;" [(ngModel)]="dt" class="dropdown-toggle" [ngModelOptions]="{standalone: true}" style="position:absolute; z-index:1"></ngb-datepicker>
</div>
<button type="button" class="btn icon-calendar" (click)="showDatePick()"></button>
<button type="button" class="btn icon-search" [disabled]="!secondForm.valid"></button>
 </div>
 </form>

タイプスクリプト:

import { Component } from '@angular/core';
import { FormGroup, FormBuilder, Validators } from '@angular/forms';
import {NgbModule} from '@ng-bootstrap/ng-bootstrap';
import {NgbDateStruct} from '@ng-bootstrap/ng-bootstrap';

@Component({
selector: 'calendar-pick',
styleUrls: ['../app.component.css'],
templateUrl: './calendarpick.component.html'
})

export class CalendarPickComponent {
public dt:Date = new Date();
public startCheck: boolean = false;
//Might need to change this to complexForm, not sure yet
secondForm : FormGroup;

public constructor(fb: FormBuilder) {
this.secondForm = fb.group({
  'startDate' : [this.dt, Validators.required]
})
this.secondForm.valueChanges.subscribe( (form: any) => {
    console.log('form changed to:', form);
  }
);
}

public getStartDate():number {
return this.dt && this.dt.getTime() || new Date().getTime();
}

public showDatePick():void {
if (this.startCheck == false){
  this.startCheck = true;
} else {
  this.startCheck = false;
}
}
}
4

1 に答える 1

4

ng-bootstrap datepicker のモデルは Date() オブジェクトではなく、{month, day, year} で構成される NgbDateStruct です

目的の動作を得るには、コードは次のようになります。

import {DatePipe} from "@angular/common";

@Component({providers: [DatePipe]})

public constructor(fb: FormBuilder, private datePipe: DatePipe)
public dt: NgbDateStruct;
<...>
public getStartDate():number {
let timestamp = this.dt != null ? new Date(this.dt.year, this.dt.month-1, this.dt.day).getTime() : new Date().getTime();
this.secondForm.controls['startDate'].setValue(this.datePipe.transform(timestamp, 'fullDate'));
}

マークアップは次のように変更されます。 <input style="width:250px" [value]="getStartDate()" class="form-control" type="text" [formControl]="secondForm.controls['startDate']">

完全なプランカーは次のとおりです: https://plnkr.co/edit/zqGpoJZ1psKmST0S7Ix0?p=preview

ng-bootstrap チームの月のインデックスは 0 ベースであり、NgbDate と組み合わせてネイティブの Date オブジェクトを使用するときに厄介な 1 ベースではないことに注意してください。

また、デフォルト値が new Date().getTime() であるという記述方法は、必要な場合とそうでない場合がある空白の値がないことを意味します。そして、それは常に汚れていて有効です。

于 2016-11-03T17:54:28.163 に答える