web-dev-qa-db-ja.com

カスタム要素にngModelを実装するにはどうすればよいですか? (独自のコンボボックス)

単純な入力要素が与えられれば、私はこれを行うことができます:

<input [(ngModel)]="name" /> {{ name }}

これは私のカスタム要素では機能しません:

<my-selfmade-combobox [(ngModel)]="name" values="getValues()" required></my-selfmade-combobox>

どうすれば実装できますか?

51
maklemenz

このリンクはあなたの質問に答えると思います:

それを実現するには、2つのことを実装する必要があります。

  • フォームコンポーネントのロジックを提供するコンポーネント。 ngModel自体によって提供されるため、入力は必要ありません。
  • このコンポーネントとControlValueAccessor/ngModelの間のブリッジを実装するカスタムngControl

前のリンクは完全なサンプルを提供します...

32

共有コンポーネントの入力用にngModelを一度実装し、それから非常に簡単に拡張できます。

2行のコードのみ:

  1. プロバイダー:[createCustomInputControlValueAccessor(MyInputComponent)]

  2. inputComponentを拡張します

my-input.component.ts

import { Component, Input } from '@angular/core';
import { InputComponent, createCustomInputControlValueAccessor } from '../../../shared/components/input.component';
@Component({
   selector: 'my-input',
   templateUrl: './my-input-component.component.html',
   styleUrls: ['./my-input-component.scss'],
   providers: [createCustomInputControlValueAccessor(MyInputComponent)]
})
export class MyInputComponent extends InputComponent {
    @Input() model: string;
}

my-input.component.html

<div class="my-input">
    <input [(ngModel)]="model">
</div>

input.component.ts

import { Component, forwardRef, ViewChild, ElementRef, OnInit } from '@angular/core';
import { NG_VALUE_ACCESSOR, ControlValueAccessor } from '@angular/forms';
export function createCustomInputControlValueAccessor(extendedInputComponent: any) {
    return {
        provide: NG_VALUE_ACCESSOR,
        useExisting: forwardRef(() => extendedInputComponent),
        multi: true
    };
}

@Component({
    template: ''
})
export class InputComponent implements ControlValueAccessor, OnInit {
    @ViewChild('input') inputRef: ElementRef;

    // The internal data model
    public innerValue: any = '';

    // Placeholders for the callbacks which are later provided
    // by the Control Value Accessor
    private onChangeCallback: any;

    // implements ControlValueAccessor interface
    writeValue(value: any) {
        if (value !== this.innerValue) {
            this.innerValue = value;
        }
    }
    // implements ControlValueAccessor interface
    registerOnChange(fn: any) {
        this.onChangeCallback = fn;
    }

    // implements ControlValueAccessor interface - not used, used for touch input
    registerOnTouched() { }

    // change events from the textarea
    private onChange() {
        const input = <HTMLInputElement>this.inputRef.nativeElement;
        // get value from text area
        const newValue = input.value;

        // update the form
        this.onChangeCallback(newValue);
    }
    ngOnInit() {
        const inputElement = <HTMLInputElement>this.inputRef.nativeElement;
        inputElement.onchange = () => this.onChange();
        inputElement.onkeyup = () => this.onChange();
    }
}
2
Shlomi Aharoni