I have set of dates and I want to enable only those dates in
.
\"ListOfDates\": [
{
\"startDate\": \"2018-01-01
myFilter = (d: Date): boolean => {
let enableFlag = false;
this.ListOfDates.some((date) => {
if (date.startDate === d) { // You can use any other comparison operator used by date object
enableFlag = true;
return true;
}
})
return enableFlag;
}
Note: You will have to format the d and dates in ListOfDates to a standard format of your choice
You are going to need a custom validator. More details can be found here: https://material.angular.io/components/datepicker/overview#date-validation
Essentially you give a function that takes in a date and returns a boolean indicating whether that date is valid. In your case you want to in your controller check if the given date is a member of your list. Here is a basic implementation:
HTML:
<mat-form-field class="example-full-width">
<input matInput [matDatepickerFilter]="myFilter" [matDatepicker]="picker" placeholder="Choose a date">
<mat-datepicker-toggle matSuffix [for]="picker"></mat-datepicker-toggle>
<mat-datepicker #picker></mat-datepicker>
</mat-form-field>
TS:
import {Component} from '@angular/core';
/** @title Datepicker with filter validation */
@Component({
selector: 'datepicker-filter-example',
templateUrl: 'datepicker-filter-example.html',
styleUrls: ['datepicker-filter-example.css'],
})
export class DatepickerFilterExample {
validDates = {
"2018-01-01T08:00:00": true,
"2018-01-02T08:00:00": true
}
myFilter = (d: Date): boolean => {
// Using a JS Object as a lookup table of valid dates
// Undefined will be falsy.
return validDates[d.toISOString()];
}
}