6

我有一个 Angular4 应用程序,它从表单中捕获数据并存储在 DynamoDB 中。它使用 ngModel 来支持双向数据绑定,并且在显示上看起来都很好。由于键入为 'text' 的输入字段绑定到 Typescript 'number' 字段,问题开始出现。似乎正在将对象值的类型更改为“字符串”。我只需将 HTML 输入类型更改为“数字”,除了表单字段上不必要的和不需要的增量/减量装饰器(并且隐藏它们似乎支持有限)。所以我很好奇是否有另一种方法可以根据需要保持数据结构的类型......如果这是 ngModel 中的一个错误......或者输入类型只需要是“数字”。

我的 sample.component.ts 文件中的结构如下所示:

export class Course {
  Id: number;
  Name: string;
}
...
courseInstance: Course;

saveCourse() {
    JSON.stringify(this.courseInstance);
}

我的 sample.component.html 文件如下所示:

<div>
  <label for="courseid">Course ID: </label>
  <input type="text" class="form-control"[(ngModel)]="courseInstance.Id" name="courseid">
</div>
<div>
  <label for="courseName">Course Name: </label>
  <input type="text"  class="form-control"[(ngModel)]="courseInstance.Name" name="courseName">
</div>
<div>
  <button type="button" class="btn btn-info btn-lg" (click)="saveCourse()">Save</button>
</div>

JSON.stringify(this.courseInstance) 的输出结果类似于

{"Id":"100","Name":"Test course"}

注意表示为字符串的值 100。

如果我不使用表单,而只是创建一个实例,例如

courseInstance: Course = {
  Id: 100,
  Name: 'Test course'
};

然后在输出 JSON.stringify(courseInstance) 的结果时;我明白了

{"Id":100,"Name":"Test course"}

如果我尝试使用 PutItem 将对象存储在 DynamoDB 中,当数据来自 HTML 表单时,Id 值将无法进行类型检查。

我会认为 Typescript 中的输入优先于 HTML 'text' 输入类型。

4

3 回答 3

4

将类型更改为textnumber制作类型number并且不要让写字母。

<input type="number" class="form-control"[(ngModel)]="courseInstance.Id" name="courseid">
于 2018-04-16T17:50:17.570 回答
2

Angular 目前不支持在属性绑定和事件绑定中进行类型检查。正如您在此处看到的,他们的 github 中有一个未解决的问题: https ://github.com/angular/angular/issues/16952

我建议您将输入更改为类型编号并将此 css 添加到您的组件中:

input[type=number]::-webkit-inner-spin-button, 
input[type=number]::-webkit-outer-spin-button { 
  -webkit-appearance: none; 
  margin: 0; 
}

编辑:在 Stackblitz 中添加应用程序: https ://stackblitz.com/edit/angular4-ngmodel-changes-type-of-data-from-number-to-string

于 2018-04-16T18:25:25.083 回答
1

[(ngModel)]语法只能设置数据绑定属性。如果您需要做更多或不同的事情,您可以编写扩展表单。

 <div>
  <label for="courseid">Course ID: </label>
  <input type="text" #ref class="form-control" [ngModel]="courseInstance.Id" (ngModelChange)="onDataChange(ref.value)"name="courseid">
</div>

ngModeldata 属性设置元素的 value 属性,而eventngModelChange属性监听元素值的变化。使用 parseInt获得所需的结果。
ngModelChange将在您需要去抖值的每次击键时触发,否则将为每次击键发出事件,并且要对值进行去抖,您可以使用 a Subjectwith debounceTime()operator.Asubject既是 anobservable又是 an observer。这意味着您可以将其视为可观察对象,也可以将值传递给它。除此之外使用模板引用变量

在您的组件中

    import { Subject } from 'rxjs/Subject';
    import {debounceTime } from 'rxjs/operators
        debouncer= new Subject();

          constructor() {


           this.debouncer
            .debounceTime(1000)
            .subscribe((val) =>{ 
              console.log(val);
              this.courseInstance.id=ParseInt(val,10); 

            });
          }

        onDataChange(value) {
                 this.debouncer.next(value);
        }
于 2018-04-16T20:06:56.580 回答