我有一个关于React和事件处理的简单问题。我的组件看起来像这样(基本上是一个表):
const MyList = ({ items, onBlur }) =>
<table onBlur={onBlur}}>
<thead>
<tr>
<th>ID</th>
<th>Title</th>
<th>Publisher</th>
<th>Year</th>
<th>Author</th>
<th>System</th>
<th/>
</tr>
</thead>
<tbody>
{items.map(item => <MyListRow key={item.Id} item={item}/>)}
</tbody>
</table>;
我希望blur
事件只有在焦点超出表格时才会触发。相反,当事件失去焦点时,事件将触发表的每个子元素。
根据文档,React让焦点事件冒出来。
问题是:只有当焦点离开桌子时,我怎样才能让我的onBlur
方法开火? IOW:如何过滤掉并丢弃冒泡的不需要的事件,以便仅显示表示桌子失去焦点的事件?
问题是表实际上没有焦点的概念,因为它本身不是输入。
当onBlur触发包含的输入时,我们将检查relatedTarget
事件的onBlur
,该事件应设置为具有RECEIVED焦点(或null
)的元素。然后我们使用一个函数,它将从新聚焦的元素向上遍历parentNode
s,并确保我们的事件的currentTarget
(表格)不是新聚焦元素的祖先。如果条件通过,则假定该表不再具有任何焦点。
const focusInCurrentTarget = ({ relatedTarget, currentTarget }) => {
if (relatedTarget === null) return false;
var node = relatedTarget.parentNode;
while (node !== null) {
if (node === currentTarget) return true;
node = node.parentNode;
}
return false;
}
const onBlur = (e) => {
if (!focusInCurrentTarget(e)) {
console.log('table blurred');
}
}
const MyList = ({ items, onBlur }) => (
<table onBlur={onBlur}>
<thead>
<tr>
<th>ID</th>
<th>Title</th>
<th>Publisher</th>
<th>Year</th>
<th>Author</th>
<th>System</th>
<th/>
</tr>
</thead>
<tbody>
<tr>
<td>1</td>
<td>
<input type="text" />
</td>
<td>
<input type="text" />
</td>
<td>
<input type="text" />
</td>
<td>
<input type="text" />
</td>
<td>
<input type="text" />
</td>
</tr>
</tbody>
</table>
);
ReactDOM.render(
<MyList onBlur={onBlur} />,
document.getElementById('root')
);
table {
padding: 10px;
border: 1px solid red;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/15.1.0/react-dom.min.js"></script>
<div id="root"></div>
<br />
<input type="text" />
参考文献:
更新:
删除了ReactDOM.findDOMNode的使用
没有自定义函数和Internet Explorer兼容,因为自Internet Explorer 5以来支持node.contains
和document.activeElement
,这适用于:
const onBlur = (e) => {
if ( !e.currentTarget.contains( document.activeElement ) ) {
console.log('table blurred');
}
}
- Node.contains()方法返回一个布尔值,指示节点是否是给定节点的后代。
- Document.activeElement返回当前关注的元素,即,如果用户键入任何键,则将获取击键事件的元素。
只是希望合成David Riccitelli的有用指针,以及wintondeshong后来的见解,这对我有用:
class ActionRow extends Component {
onBlur = (e) => {
if ( !e.currentTarget.contains( e.relatedTarget ) ) {
console.log('blur event');
}
}
render() {
return (
<div onBlur={this.onBlur}>
..
</div>
)
}
}
我试图根据焦点离开div填充表单字段时触发保存操作。