web-dev-qa-db-ja.com

angular 2 / ionic 2を使用して文字列の長さを制限する

Angular2を使用して電話番号フィールドを10文字に制限する方法ng-maxlenthを使用してみましたが、ブラウザでのみ機能し、Androidデバイスでは機能しません。

angular 1を使用して1つのコードスニペットを見つけました。しかし、angular2を使用して同じコードを書き換えるにはどうすればよいですか?

app.directive("limitTo", [function() {
    return {
        restrict: "A",
        link: function(scope, elem, attrs) {
            var limit = parseInt(attrs.limitTo);
            angular.element(elem).on("keypress", function(e) {
                if (this.value.length == limit) e.preventDefault();
            });
        }
    }
}]);

<input limit-to="4" type="number" class="form-control input-lg" ng-model="search.main" placeholder="enter first 4 digits: 09XX">
5
vishnu

Angular2では、次のようになります。

@Directive({
  selector: '[limit-to]',
  Host: {
    '(keypress)': '_onKeypress($event)',
  }
})
export class LimitToDirective {
  @Input('limit-to') limitTo; 
  _onKeypress(e) {
     const limit = +this.limitTo;
     if (e.target.value.length === limit) e.preventDefault();
  }
}

次のようにNgModule sthにディレクティブを登録することを忘れないでください:

@NgModule({
  imports: [ BrowserModule ],
  declarations: [ App, LimitToDirective ],
  bootstrap: [ App ]
})
export class AppModule {}

そしてそれを次のように使用します:

<input limit-to="4" type="number" placeholder="enter first 4 digits: 09XX">

これがPlunkerです!

10
yurzui

カスタムディレクティブを使用する代わりに、maxlength HTML属性とAngular 2からのattrバインディングを次のように使用できます:[attr.maxlength]="4"

<ion-input type="text" [(ngModel)]="a.myInput" [attr.maxlength]="4"></ion-input>

その属性をコンポーネントのプロパティにバインドして、最大長を動的に設定することもできます。 this plunkerをご覧ください。

10
sebaferreras

スライスを使うだけです:

{{expression | slice:begin:end}}

Angular DOCS: https://angular.io/docs/ts/latest/cookbook/ajs-quick-reference.html

8
Felipe Sabino

Samsung Androidデバイスのionic2/angular2で同様の問題に直面しました。これを処理するためのカスタムディレクティブを記述しました。私のブログで言及されているのと同じで、使用方法の説明も含まれています。 http://jagadeeshmanne.blogspot.in/2017/08/ionic-2-angular-maxlength-issue-in.html

import { Directive, EventEmitter, HostListener, Input, Output } from '@angular/core';
import { Platform } from "ionic-angular";
 
@Directive({
    selector: '[cMaxLength]'
})
export class MaxLengthDirective {
 
  @Input('cMaxLength') cMaxLength:any;
  @Output() ngModelChange:EventEmitter<any> = new EventEmitter();
 
  constructor(public platform: Platform) {
  }
 
  //keypress event doesn't work in ionic Android. the keydown event will work but the value doesn't effect until this event has finished. hence using keyup event. 
  @HostListener('keyup',['$event']) onKeyup(event) {
    const element = event.target as HTMLInputElement;
    const limit = this.cMaxLength;
    if (this.platform.is('Android')) {
      const value = element.value.substr(0, limit);
      if (value.length <= limit) {
        element.value = value;
      } else {
        element.value = value.substr(0, limit-1);
      }
      this.ngModelChange.emit(element.value);
    }
  }
 
  @HostListener('focus',['$event']) onFocus(event) {
    const element = event.target as HTMLInputElement;
    if (!this.platform.is('Android')) {
      element.setAttribute('maxlength', this.cMaxLength)
    }
  }
}
2
Jagadeesh

@yurzuiソリューションは、Androidデバイスでは機能しませんでした。@ Jagadeeshで言及されているように、何らかの理由でkeypressイベントが発生しません。また、ngModelによるバインドされたデータの更新に問題があります。

代わりにこのソリューションをお勧めします:

import {Directive, Input, Output, EventEmitter} from '@angular/core'

@Directive({
  selector: '[limit-to]',
  Host: {
    '(input)': 'onInputChange($event)',
  }
})
export class LimitToDirective {
  @Input('limit-to') limitTo;
  @Output() ngModelChange:EventEmitter<any> = new EventEmitter();
  oldValue: any;

  onInputChange(e){
    const limit = +this.limitTo;
    if(e.target.value.length > limit) {
      e.target.value = this.oldValue;
    }
    this.oldValue = e.target.value;
    this.ngModelChange.emit(e.target.value);
  }
}

入力イベントで、現在の入力値の長さを確認し、制限を超えている場合は、最後に保存されたoldValueで置き換えてから、表示されている入力のテキスト値を更新します。バインドされたプロパティを更新するために新しいngModelChangeイベントを発生させます。

1
iouhammi

@yurzuiに基づくangular 4/5より完全なソリューションmin、max属性+削除のバグ修正

import {Directive, ElementRef, HostListener, Input, OnInit, Renderer} from '@angular/core';

@Directive({
  selector: '[appMaxDigits]'
})
export class MaxDigitsDirective implements OnInit {
    @Input('appMaxDigits') appMaxDigits;
    constructor(private renderer: Renderer, private el: ElementRef) {}
    @HostListener('keydown', ['$event']) onKeydown(e: any) {
        const limit = +this.appMaxDigits;
        if (e.keyCode > 47 && e.keyCode < 127) {
            if (e.target.value.length === limit) { e.preventDefault(); }
        }
    }
    ngOnInit() {
        this.renderer.setElementAttribute(this.el.nativeElement, 'min', '0');
        this.renderer.setElementAttribute(this.el.nativeElement, 'max', '9'.repeat(this.appMaxDigits));
    }
}
0
altoqueperro