- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在做一些基本的表单交互测试
const setup = (errors=false) => {
let props = {
budget: {}, errors: {},
onChange: () => {},
onSave: () => {}
};
if (errors === true) {
props.errors.budgetCategory= "error";
}
return shallow(<AddBudgetForm {...props} />);
};
describe("Fluctuating errors based on input values", () => {
it("Renders an error when a number is present in the cost field", () => {
let wrapper = setup();
wrapper.find('[name="budgetCategory"]').simulate('change', { target: { value: '7' } });
console.log(wrapper.find('[name="budgetCategory"]').props());
});
});
我分析控制台上的 props,发现 value
字段仍然未定义...
{ className: 'form-control',
placeholder: 'Enter Name of Budget Category',
onChange: [Function: onChange],
value: undefined,
name: 'budgetCategory' }
理想情况下,我要测试的是模拟非数字按键应该触发 onChange 处理程序将错误传播到表单。
我尝试在设置中添加新的 onChange 处理程序,但没有成功:
let props = {
budget: {}, errors: {},
onChange: (e) => {props.budget.budgetCategory = e.target.value;},
onSave: () => {}
};
import React, { Component, PropTypes } from 'react';
import Alert from '../common/Alert';
import TextInput from '../common/TextInput';
const renderDays = () => {
return Array(31).fill().map((_, i = 1) => <option key={i+1}>{i+1}</option>);
};
const errorsInForm = errors => {
let error = false;
Object.keys(errors).map(item => {
if (errors[item]) { error = true; }
});
return error;
};
const generateValidationError = error => {
return (
<span style={{color: "red"}}>{error}</span>
);
};
const AddBudgetForm = ({budget, onChange, onSave, errors}) => {
return (
<div name="AddBudgetForm">
<form>
{!errorsInForm(errors) &&
<Alert
name="add-budget-alert"
alertType = "alert alert-info"
fontAwesomeIcon = "fa fa-info"
alertDescription = " Adding a budget is simple. Add a category such as groceries
, allocate $200.00 per month and the day you'd like the budget to reset."
/>
}
{errorsInForm(errors) &&
<Alert
name="add-budget-alert"
alertType = "alert alert-danger"
fontAwesomeIcon = "fa fa-warning"
alertDescription = " There are problems with the form submission. Ensure all values in the form are valid."
/>
}
<TextInput
className="form-control"
placeholder="Enter Name of Budget Category"
onChange={onChange}
value={budget.category}
name="budgetCategory"
/>
{errors.budgetCategory != "" && generateValidationError(errors.budgetCategory)}
<div className="form-group input-group">
<span className="input-group-addon"><i className="fa fa-usd"></i></span>
<input
className="form-control"
placeholder="Monthly Budget Cost"
onChange={onChange}
value={budget.cost}
name="budgetCost"
/>
</div>
{errors.budgetCost != "" && generateValidationError(errors.budgetCost)}
<select
className="form-control"
onChange={onChange}
value={budget.date}
name="budgetDate"
>
<option>Select Day of Month Budget Item is Due</option>
{renderDays()}
</select>
{errors.budgetDate != "" && generateValidationError(errors.budgetDate)}
<br/>
{(!errorsInForm(errors)) &&
<button className="btn btn-primary" type="submit" onClick={() => onSave(budget)}>Add Budget</button>
}
{(errorsInForm(errors)) &&
<button className="btn btn-primary" type="submit" disabled>Fix Form Errors</button>
}
</form>
</div>
);
};
AddBudgetForm.propTypes = {
budget: PropTypes.object,
onChange: PropTypes.func,
onSave: PropTypes.func,
errors: PropTypes.object
};
export default AddBudgetForm;
最佳答案
来自 docs , .simulate()
方法仅影响您正在模拟的事件的 event prop。在这种情况下,您传递的合成事件参数将仅提供给您的 onChange()
函数。实际的 value
属性将不受影响。
要确认,只需将自定义 onChange()
处理程序更新为 console.log
提供给它的事件对象,例如
let props = {
budget: {}, errors: {},
onChange: (event) => { console.log(event); },
onSave: () => {}
};
关于此的另一个问题是,此模拟不会发生正常的事件冒泡 - 确保直接在要触发事件的节点上运行 .simulate()
方法。
重构的AddBudgetForm注意:这些只是一些小建议,并不一定是唯一正确的方法。
import React, { Component, PropTypes } from 'react';
import Alert from '../common/Alert';
import TextInput from '../common/TextInput';
const renderDays = () => Array(31).fill().map(
(_, i = 1) => <option key={i+1}>{i+1}</option>
);
/**
* Returns true if a key has a non-null value.
* @param {Object} errors - Errors object
* @return {Boolean} Is there an error?
*/
const errorsInForm = errors =>
Object.keys(errors).reduce( (hasError, item) => hasError || item != null, false);
const generateValidationError = error => <span style={{color: "red"}}>{error}</span>;
const AddBudgetForm = ({ budget, onChange, onSave, errors = {} }) => (
<div name="AddBudgetForm">
<form>
{ ! errorsInForm(errors)
? (
<Alert
name="add-budget-alert"
alertType = "alert alert-info"
fontAwesomeIcon = "fa fa-info"
alertDescription = " Adding a budget is simple. Add a category such as groceries
, allocate $200.00 per month and the day you'd like the budget to reset."
/>)
: (
<Alert
name="add-budget-alert"
alertType = "alert alert-danger"
fontAwesomeIcon = "fa fa-warning"
alertDescription = " There are problems with the form submission. Ensure all values in the form are valid."
/>
)
}
<TextInput
className="form-control"
placeholder="Enter Name of Budget Category"
onChange={onChange}
value={budget.category}
name="budgetCategory"
/>
{ errors.budgetCategory != "" &&
generateValidationError(errors.budgetCategory)
}
<div className="form-group input-group">
<span className="input-group-addon"><i className="fa fa-usd"></i></span>
<input
className="form-control"
placeholder="Monthly Budget Cost"
onChange={onChange}
value={budget.cost}
name="budgetCost"
/>
</div>
{ errors.budgetCost != "" &&
generateValidationError(errors.budgetCost)
}
<select
className="form-control"
onChange={onChange}
value={budget.date}
name="budgetDate"
>
<option>Select Day of Month Budget Item is Due</option>
{ renderDays() }
</select>
{ errors.budgetDate != "" &&
generateValidationError(errors.budgetDate)
}
<br/>
{ ! errorsInForm(errors)
? <button className="btn btn-primary" type="submit" onClick={() => onSave(budget)}>Add Budget</button>
: <button className="btn btn-primary" type="submit" disabled>Fix Form Errors</button>
}
</form>
</div>
);
AddBudgetForm.propTypes = {
budget: PropTypes.object,
onChange: PropTypes.func,
onSave: PropTypes.func,
errors: PropTypes.object
};
export default AddBudgetForm;
关于javascript - 在 enzyme / react 单元测试中模拟形式变化不会改变字段值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/48252592/
嘿伙计们。 实现背景变化(基本上是幻灯片放映)和过渡效果的常见方法有哪些。我想每隔一段时间改变complte文档背景。 我是一名 ASP.net 开发人员,并且希望大部分内容都可以在 ASP 中实现。
也许,指针已经在修改过程中指向 auto_ptr 的常规指针指向 unique_ptr 和 shared_ptr 我只是想知道已经开发出来的新型指针是否完全覆盖了旧版本(或者您可能认为存在内存泄漏问题
我使用 Android Studio 构建 Android 应用。 我的问题是:当 fragment 改变时,应用程序崩溃。 控制台输出[控制台] 01-06 18:35:21.952 27756-
****澄清**我做了这个 [Fiddle] ( http://jsfiddle.net/sggPv/10/ ) 来帮助澄清情况。 该脚本起初适用于两个表格,但随后当您点击 slider 并将新表格加
我有图标,单击它会将新的 div(列)添加到 div 容器。问题是,当新的 div(列)出现时,按钮不会向右移动。是否可以以某种方式仅在 div 内添加 position:fixed? 这是我的几个屏
我是 Java 新手,继承了现有的 Android 应用程序。原始开发人员选择使用常量接口(interface)。 我的问题是我需要更改其中一些常量来编译生产应用程序与开发应用程序。如果我手动修改一些
在 Apple developer Document 中,我在 UIColor 中发现了一些新东西。 If your app was linked on or after iOS 10 and whe
我没有经常使用 ShareKit,但我只想拥有三个共享选项:Facebook、Twitter 和电子邮件。 ShareKit 提供了更多选项,包括更多按钮。但是,我不想要“更多”选项,只想要三个。 在
我正在构建一个 JS 库,其中一个用例要求我在 DOM 更改时触发一个事件,特别是如果它是一个单页应用程序,例如:github search bar 经过一番研究,我遇到了MutationObserv
我已经设法编写了一个代码来检测任何工作表中特定单元格的值变化,但我一直在努力构建检测和跟踪范围(值)变化的东西。 例如,如果用户决定复制和粘贴某个范围的数据(假设超过 1 个单元格),它不会被宏捕获。
使用 ffmpeg ,我们可以对音频电平进行多少控制?例如,我想在程序的时间轴上映射一个“M”形: t0 - t1 : fade in from 0 to 1 t1 - t2 : play at fu
使用 jQuery 1.7.1,我尝试为下拉列表上的更改事件创建一个事件处理程序。下拉列表会动态添加到 DOM 中。似乎在大多数浏览器上都能很好地工作,但是哦,奇怪的 IE8 想要变得困难。有解决方法
我想制作一个具有可选边框大小的自定义控件。请参阅下面的代码。边框绘制在非客户区,其宽度可以是 0、1 或 2 像素。我已经在 WM_NCPAINT 中成功完成了边框绘制。问题是,在更改控制边框大小的属
我知道这个问题之前已经被问过,而且我实际上已经找到了一些我已经实现的解决方案。不幸的是,我没能得到我想要的。 我以前没有做过AngularJS,我想做的是: 检测网址何时更改 根据网址更改的内容进行一
我有一个 auto-carousel 指令,它循环访问链接元素的子元素。 但是,子级尚未加载到 DOM 中,因为它们的 ng-if 表达式尚未解析。 如何确保父指令知道其 DOM 树已发生更改?
我有一个流程可以通过内容提供商从数据库中获取数据。 fun getDataFlow(): Flow { return flow { emit(Result.Loading)
我有一些有效的代码,但有时它只是“跳转”到其他文本而不考虑间隔。 该代码基本上按时间间隔更改标题的文本。 var text = ["text1", "text2", "text3","text4","
我正在尝试将 onCLick 监听器添加到我的 PreferenceScreen 上的开关,但它不起作用。我尝试了 Java 教程中的代码并将其转换为 Kotlin,但由于某种原因它无法正常工作。 这
我们目前正在尝试升级我们的程序使用的 ffmpeg 版本。跳跃很大,因为我们目前使用的是 ffmpeg 0.8,最新版本是 1.2。 在这些测试中,我使用的是(让我说)我发现的令人惊叹的软件包 her
我有一个流程可以通过内容提供商从数据库中获取数据。 fun getDataFlow(): Flow { return flow { emit(Result.Loading)
我是一名优秀的程序员,十分优秀!