- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
我在 Angular 2 中使用模板驱动的表单,我正在尝试以测试先行的方式开发它们。我搜索了这个网站和互联网的其他部分,我基本上尝试了所有我能找到的东西(主要是 fakeAsync 中到处都是的 tick() 语句和 detectChanges() 串)来让 NgModel 附加到我的输入上以获取值,以便它可以传递给我的 onSubmit 函数。输入元素的值设置正确,但 NgModel 永远不会更新,这意味着 onSubmit 函数没有从 NgModel 获得正确的值。
这是模板:
<form id="createWorkout" #cwf="ngForm" (ngSubmit)="showWorkout(skillCountFld)" novalidate> <input name="skillCount" id="skillCount" class="form-control" #skillCountFld="ngModel" ngModel /> <button type="submit" id="buildWorkout">Build a Workout</button></form>
Note: I know that the value sent the ngSubmit is going to cause the test to fail, but it means I can set a break point in the function and inspect the NgModel.
Here's the Component:
import { Component, OnInit } from '@angular/core';import {SkillService} from "../model/skill-service";import {NgModel} from "@angular/forms";@Component({ selector: 'app-startworkout', templateUrl: './startworkout.component.html', styleUrls: ['./startworkout.component.css']})export class StartworkoutComponent implements OnInit { public skillCount:String; constructor(public skillService:SkillService) { } showWorkout(value:NgModel):void { console.log('breakpoint', value.value); } ngOnInit() { }}
Here is the spec:
/* tslint:disable:no-unused-variable */import {async, ComponentFixture, TestBed, fakeAsync, tick} from '@angular/core/testing';import {By, BrowserModule} from '@angular/platform-browser';import { DebugElement } from '@angular/core';import { StartworkoutComponent } from './startworkout.component';import {SkillService} from "../model/skill-service";import {Store} from "../core/store";import {SportService} from "../model/sport-service";import {FormsModule} from "@angular/forms";import {dispatchEvent} from "@angular/platform-browser/testing/browser_util";describe('StartworkoutComponent', () => { let component: StartworkoutComponent; let fixture: ComponentFixture; let element:DebugElement; let skillService:SkillService; beforeEach(async(() => { var storeSpy:any = jasmine.createSpyObj('store', ['getValue', 'storeValue', 'removeValue']); var stubSkillService:SkillService = new SkillService(storeSpy); TestBed.configureTestingModule({ declarations: [ StartworkoutComponent ], providers: [{provide:Store , useValue:storeSpy}, SportService, SkillService], imports: [BrowserModule, FormsModule] }) .compileComponents(); })); beforeEach(() => { fixture = TestBed.createComponent(StartworkoutComponent); component = fixture.componentInstance; element = fixture.debugElement; fixture.detectChanges(); }); it('should create', () => { expect(component).toBeTruthy(); }); describe('without workout', () => { let createWorkout:DebugElement; let skillCount:HTMLInputElement; let submitButton:HTMLButtonElement; beforeEach(() => { createWorkout = element.query(By.css('#createWorkout')); skillCount = element.query(By.css('#skillCount')).nativeElement; submitButton = element.query(By.css('#buildWorkout')).nativeElement; }); it('has createWorkout form', () => { expect(createWorkout).toBeTruthy(); expect(skillCount).toBeTruthy(); }); it('submits the value', fakeAsync(() => { spyOn(component, 'showWorkout').and.callThrough(); tick(); skillCount.value = '10'; dispatchEvent(skillCount, 'input'); fixture.detectChanges(); tick(50); submitButton.click(); fixture.detectChanges(); tick(50); expect(component.showWorkout).toHaveBeenCalledWith('10'); })); });});
I'm sure I'm missing something basic/simple, but I've spent the past day combing through everything I can find with no luck.
I think maybe people are focusing on the wrong thing. I'm pretty sure at this point that I'm missing something basic about how ngForm and ngModel work. When I add
<p>{{cwf.value | json}}</p>
进入表单,它只显示 {}。我相信它应该显示一个代表输入的成员属性。如果我在该字段中键入,值不会改变。如果我尝试绑定(bind)到 skillCountFld,也会发生类似的事情。所以我认为基本表单设置在某种程度上是不正确的,并且在输入正确连接到 skillCountFld Controller 之前测试永远不会工作。我只是看不出我错过了什么。
最佳答案
There are a lot of tests at the Angular site that are successfully setting this without waiting for whenStable https://github.com/angular/angular/blob/874243279d5fd2bef567a13e0cef8d0cdf68eec1/modules/%40angular/forms/test/template_integration_spec.ts#L1043
那是因为当您在 beforeEach
中触发 fixture.detectChanges();
时,这些测试中的所有代码都在 fakeAsync
区域内执行。所以 fakeAsync
区域不知道其范围之外的异步操作。当您第一次调用 detectChanges
时 ngModel
被初始化
NgModel.prototype.ngOnChanges = function (changes) {
this._checkForErrors();
if (!this._registered)
this._setUpControl(); //<== here
并获得正确的输入事件回调
NgForm.prototype.addControl = function (dir) {
var _this = this;
resolvedPromise.then(function () { // notice async operation
var container = _this._findContainer(dir.path);
dir._control = (container.registerControl(dir.name, dir.control));
setUpControl(dir.control, dir); // <== here
在 setUpControl
中,您可以看到将由 input
事件调用的函数
dir.valueAccessor.registerOnChange(function (newValue) {
dir.viewToModelUpdate(newValue);
control.markAsDirty();
control.setValue(newValue, { emitModelToViewChange: false });
});
1) 因此,如果您将 fixture.detectChanges
从 beforeEach
移动到您的测试中,那么它应该可以工作:
it('submits the value', fakeAsync(() => {
spyOn(component, 'showWorkout').and.callThrough();
fixture.detectChanges();
skillCount = element.query(By.css('#skillCount')).nativeElement;
submitButton = element.query(By.css('#buildWorkout')).nativeElement;
tick();
skillCount.value = '10';
dispatchEvent(skillCount, 'input');
fixture.detectChanges();
submitButton.click();
fixture.detectChanges();
expect(component.showWorkout).toHaveBeenCalledWith('10');
}));
但是这个解决方案看起来非常复杂,因为您需要重写代码以在每个 it
语句中移动 fixture.detectChanges
(并且 skillCount
, submitButton
等)
2) 正如 Dinistro 所说的 async
和 whenStable
也应该帮助你:
it('submits the value', async(() => {
spyOn(component, 'showWorkout').and.callThrough();
fixture.whenStable().then(() => {
skillCount.value = '10';
dispatchEvent(skillCount, 'input');
fixture.detectChanges();
submitButton.click();
fixture.detectChanges();
expect(component.showWorkout).toHaveBeenCalledWith('10');
})
}));
但等等,为什么我们必须更改我们的代码?
3) 只需将 async
添加到您的 beforeEach 函数
beforeEach(async(() => {
fixture = TestBed.createComponent(StartworkoutComponent);
component = fixture.componentInstance;
element = fixture.debugElement;
fixture.detectChanges();
}));
关于forms - Angular2 NgModel 在 Jasmine 测试中没有获得值(value),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/42426891/
我的问题:非常具体。我正在尝试想出解析以下文本的最简单方法: ^^domain=domain_value^^version=version_value^^account_type=account_ty
好吧,这就是我的困境: 我正在为 Reddit 子版 block 开发常见问题解答机器人。我在 bool 逻辑方面遇到了麻烦,需要一双更有经验的眼睛(这是我在 Python 中的第一次冒险)。现在,该
它首先遍历所有 y 值,然后遍历所有 x 值。我需要 X 和 y 同时改变。 For x = 3 To lr + 1 For y = 2 To lr anyl.Cells(x, 1)
假设我有一个包含 2 列的 Excel 表格:单元格 A1 到 A10 中的日期和 B1 到 B10 中的值。 我想对五月日期的所有值求和。我有3种可能性: {=SUM((MONTH(A1:A10)=
如何转换 Z-score来自 Z-distribution (standard normal distribution, Gaussian distribution)到 p-value ?我还没有找到
我正在重写一些 Javascript 代码以在 Excel VBA 中工作。由于在这个网站上搜索,我已经设法翻译了几乎所有的 Javascript 代码!但是,有些代码我无法准确理解它在做什么。这是一
我遇到过包含日期格式的时间戳日期的情况。然后我想构建一个图表,显示“点击”项目的数量“每天”, //array declaration $array1 = array("Date" => 0); $a
我是scala的新手! 我的问题是,是否有包含成员的案例类 myItem:Option[String] 当我构造类时,我需要将字符串内容包装在: Option("some string") 要么 So
我正在用 PHP 创建一个登录系统。我需要用户使用他或她的用户名或电子邮件或电话号码登录然后使用密码。因为我知道在 Java 中我们会像 email==user^ username == user 这
我在 C++ 项目上使用 sqlite,但是当我在具有文本值的列上使用 WHERE 时出现问题 我创建了一个 sqlite 数据库: CREATE TABLE User( id INTEGER
当构造函数是显式时,它不用于隐式转换。在给定的代码片段中,构造函数被标记为 explicit。那为什么在 foo obj1(10.25); 情况下它可以工作,而在 foo obj2=10.25; 情况
我知道这是一个主观问题,所以如果需要关闭它,我深表歉意,但我觉得它经常出现,让我想知道是否普遍偏爱一种形式而不是另一种形式。 显然,最好的答案是“重构代码,这样你就不需要测试是否存在错误”,但有时没有
这两个 jQuery 选择器有什么区别? 以下是来自 w3schools.com 的定义: [attribute~=value] 选择器选择带有特定属性,其值包含特定字符串。 [attribute*=
为什么我们需要CSS [attribute|=value] Selector根本当 CSS3 [attribute*=value] Selector基本上完成相同的事情,浏览器兼容性几乎相似?是否存在
我正在解决 regx 问题。我已经有一个像这样的 regx [0-9]*([.][0-9]{2})。这是 amont 格式验证。现在,通过此验证,我想包括不应提供 0 金额。比如 10 是有效的,但
我正在研究计算机科学 A 考试的样题,但无法弄清楚为什么以下问题的正确答案是正确的。 考虑以下方法。 public static void mystery(List nums) { for (
好的,我正在编写一个 Perl 程序,它有一个我收集的值的哈希值(完全在一个完全独立的程序中)并提供给这个 Perl 脚本。这个散列是 (string,string) 的散列。 我想通过 3 种方式对
我有一个表数据如下,来自不同的表。仅当第三列具有值“债务”并且第一列(日期)具有最大值时,我才想从第四列中获取最大值。最终值基于 MAX(DATE) 而不是 MAX(PRICE)。所以用简单的语言来说
我有一个奇怪的情况,只有错误状态保存到数据库中。当“状态”应该为 true 时,我的查询仍然执行 false。 我有具有此功能的 Controller public function change_a
我有一个交易表(针对所需列进行了简化): id client_id value 1 1 200 2 2 150 3 1
我是一名优秀的程序员,十分优秀!