简体   繁体   English

Angular 2 Reactive form +指令验证

[英]Angular 2 Reactive form + directive validation

I'm trying to wrap my head around the following problem: 我试图解决以下问题:

I have a 'google-place-autocomplete' directive that adds the autocomplete functionality to an input field. 我有一个'google-place-autocomplete'指令,可以将自动填充功能添加到输入字段中。

Now I also wanted it to be able to force a google place selection and only be 'valid' if the user has selected a place. 现在我还希望它能够强制谷歌地点选择,并且只有在用户选择了地点时才“有效”。

Eg: 例如:

@Directive({
    selector: '[googlePlace][formControlName], [googlePlace][ngModel]',
    providers: [{provide: NG_VALIDATORS, useExisting: GooglePlaceDirective, multi: true}]
})
export class GooglePlaceDirective implements Validator, OnChanges {

    valid = false;
    @Output() googlePlaceAddressChange: any = new EventEmitter();
    @Input() googlePlaceAddress: any;

    @Output() ngModelChange: any = new EventEmitter();

    private autocomplete: any;
    constructor(private googleMapService: GoogleMapsService,
                private element: ElementRef,
                private zone: NgZone) {
    }

    ngOnInit() {
        let self = this;
        this.googleMapService
            .load()
            .subscribe(
                () => {
                    this.autocomplete = new google.maps.places.Autocomplete(this.element.nativeElement);
                    this.autocomplete.addListener('place_changed', function () {
                        self.placeChanged(this.getPlace());
                    });
                }
            );
    }

    private placeChanged(place) {
        this.zone.run(() => {
            this.googlePlaceAddress = {
                address: this.element.nativeElement.value,
                formattedAddress: place.formatted_address,
                latitude: place.geometry.location.lat(),
                longitude: place.geometry.location.lng()
            };
            this.valid = true;
            this.googlePlaceAddressChange.emit(this.googlePlaceAddress);
            this.ngModelChange.emit(this.element.nativeElement.value);
        });
    }

    ngOnChanges(changes): void {
        let googlePlaceDefined = typeof (changes.googlePlaceAddress) !== 'undefined';
        let modelDefined = typeof (changes.ngModel) !== 'undefined';

        if(modelDefined && !googlePlaceDefined) {
            this.valid = false;
        } else if(googlePlaceDefined && !modelDefined) {
            this.valid = true;
        }
    }

    validate(control: AbstractControl) {
        return this.valid === false ? {'googlePlaceAddress': true} : null;
    }
}

If I use this directive in an template driven form: 如果我以模板驱动的形式使用此指令:

...
<input name="addr" type="text" [(ngModel)]="textValue" [(googlePlaceAddress)]="googleAddress" required>
<p *ngIf="addr.errors.googlePlaceAddress">Please select a proposed address</p>
...

it works fine. 它工作正常。

Now I need to use this in an Reactive Form using FormGroup 现在我需要使用FormGroup在Reactive Form中使用它

let groups = [
    new FormControl('', [Validators.required])
];

/** HTML **/
...
<input [id]="addr"
    [formControlName]="address"
    class="form-control"
    type="text"
    googlePlace
    [placeholder]="question.label"
    [(googlePlaceAddress)]="googleAddress">
...  

However in this case the validation from the directive is never triggered. 但是在这种情况下,指令的验证永远不会被触发。

I suppose angular2 expects it to be given through, when using Reactive Forms: 我认为angular2期望在使用Reactive Forms时通过它:

new FormControl('', [Validators.required, ???])

I must have taken a wrong path somewhere. 我一定是走错了路。

For future reference: 备查:

I solved my problem creating a component out of it together with a Value accessor: 我解决了我的问题,与Value访问器一起创建了一个组件:

@Component({
    selector: 'app-google-place',
    templateUrl: './google-place.component.html',
    styleUrls: ['./google-place.component.scss'],
    providers: [
        {
            provide: NG_VALUE_ACCESSOR,
            useExisting: forwardRef(() => GooglePlaceComponent),
            multi: true
        }
    ]
})
export class GooglePlaceComponent implements OnInit, ControlValueAccessor {
    @ViewChild('inputElement') inputElement: ElementRef;

    @Input() public placeholder: string = "Address";
    @Input() public textValue: string = "";

    private autocomplete: any;
    private _place = null;

    constructor(
        private googleMapService: GoogleMapsService,
        private zone: NgZone
    ) {
    }

    ngOnInit() {
        this.googleMapService
            .load()
            .subscribe(
                () => {
                    this.autocomplete = new google.maps.places.Autocomplete(this.inputElement.nativeElement);
                    this.autocomplete.addListener('place_changed', () => this.placeChanged());
                }
            );
    }

    placeChanged() {
        this.zone.run(() => {
            let place = this.autocomplete.getPlace();
            this._place = {
                address: this.inputElement.nativeElement.value,
                formattedAddress: place.formatted_address,
                latitude: place.geometry.location.lat(),
                longitude: place.geometry.location.lng()
            };

            this.propagateChange(this._place);
        });
    }

    onNgModelChange($event) {

        if(this._place !== null) {
            if(this._place.address !== $event) {
                this._place = null;
                this.propagateChange(this._place);
            }
        }
    }

    onBlur() {
        this.propagateTouched();
    }

    writeValue(obj: any): void {
        if(obj !== undefined) {
            this._place = obj;
        }
    }

    propagateChange = (_: any) => {};
    registerOnChange(fn) {
        this.propagateChange = fn;
    }

    propagateTouched = () => {};
    registerOnTouched(fn: any): void {
        this.propagateTouched = fn;
    }
}

Using this I can use it in a FormGroup with the Validators.required and it will only be valid if a user has selected a google place. 使用这个我可以在带有Validators.required的FormGroup中使用它,它只有在用户选择了谷歌的地方才有效。

EDIT 编辑

The html: html:

<input type="text"
   (blur)="onBlur()"
   #inputElement
   class="form-control"
   [(ngModel)]="textValue"
   (ngModelChange)="onNgModelChange($event)">

The service: 服务:

import {Injectable} from '@angular/core';
import {Subject} from 'rxjs/Subject';
import {Observable} from 'rxjs/Observable';

@Injectable()
export class GoogleMapsService {

    private key = 'XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX';

    private loaded = false;
    private currentRequest = null;

    constructor() {
    }

    load() {
        if (this.loaded) {
            return Observable.create((observer) => {
                observer.next();
                observer.complete();
            });
        }

        if (this.currentRequest === null) {
            //http://reactivex.io/rxjs/manual/overview.html#multicasted-observables
            const source = Observable.create((observer) => {
                this.loadMaps(observer);
            });

            const subject = new Subject();
            this.currentRequest = source.multicast(subject);
            this.currentRequest.connect();
        }

        return this.currentRequest;
    }

    private loadMaps(observer: any) {
        const script: any = document.createElement('script');
        script.src = 'https://maps.googleapis.com/maps/api/js?key=' + this.key + '&libraries=places';

        if (script.readyState) { // IE, incl. IE9
            script.onreadystatechange = () => {
                if (script.readyState == 'loaded' || script.readyState == 'complete') {
                    script.onreadystatechange = null;
                    this.loaded = true;
                    observer.next();
                    observer.complete();
                    this.currentRequest = null;
                }
            };
        } else {
            script.onload = () => { // Other browsers
                this.loaded = true;
                observer.next();
                observer.complete();
                this.currentRequest = null;
            };
        }

        script.onerror = () => {
            observer.error('Unable to load');
            this.currentRequest = null;
        };

        document.getElementsByTagName('head')[0].appendChild(script);
    }
}

The 'usage': '用法':

With template ngModel 使用模板ngModel

<app-google-place ([ngModel)]="place"></app-google-place>

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM