检查项目是否存在于数组 React 中
2017-07-24
180490
我试图检查我的数组
data
中是否存在某个项目,如果存在则阻止将其添加到数组中。
如果数组中已经存在某个项目,则
handleCheck
函数将返回 true,但我不确定如何使用它来阻止将该项目添加到数组中。
我曾尝试在
handlePush
函数中使用它
this.handleCheck(item) == false ?
它应该检查它是否为 false,如果是则推送,如果它返回 true 则应该说它存在,但目前这不起作用,因为即使该项目存在它也会推送到数组,并且它永远不会 console.log 'exists`
如何更改我的 handlePush 函数以使用 handleCheck 并防止再次添加数组中已经存在的项目?
https://www.webpackbin.com/bins/-KpnhkEKCpjXU0XlNlVm
import React from 'react'
import styled from 'styled-components'
import update from 'immutability-helper'
const Wrap = styled.div`
height: auto;
background: papayawhip;
width: 200px;
margin-bottom:10px;
`
export default class Hello extends React.Component {
constructor() {
super()
this.state = {
data: []
}
this.handlePush = this.handlePush.bind(this)
this.handleRemove = this.handleRemove.bind(this)
this.handleCheck = this.handleCheck.bind(this)
}
handlePush(item) {
this.handleCheck(item) == false ?
this.setState({
data: update(this.state.data, {
$push: [
item
]
})
})
: 'console.log('exists')
}
handleRemove(index) {
this.setState({
data: update(this.state.data, {
$splice: [
[index,1]
]
})
})
}
handleCheck(val) {
return this.state.data.some(item => val === item.name);
}
render() {
return(
<div>
<button onClick={() => this.handlePush({name: 'item2'})}>push</button>
<button onClick={() => this.handlePush({name: 'item3'})}>push item3</button>
{this.state.data.length > 1 ? this.state.data.map(product =>
<Wrap onClick={this.handleRemove}>{product.name}</Wrap>) : 'unable to map' }
{console.log(this.state.data)}
{console.log(this.handleCheck('item2'))}
{console.log(this.handleCheck('item3'))}
</div>
)
}
}
3个回答
应该是:
handleCheck(val) {
return this.state.data.some(item => val.name === item.name);
}
因为这里的
val
是一个对象而不是字符串。
BnoL
2017-07-24
在搜索 检查 React 中数组中是否存在值 时,我找到了这个页面,我想为那些认为使用 React 检查数组中是否存在值存在特殊情况的人提供一个解决方案(除了这个问题之外)。
您也可以正确使用默认的 JavaScript 方法。对于 React 来说,没有什么特别的。
var arr = ["steve", "bob", "john"];
console.log(arr.indexOf("bob") > -1); //true
谢谢。
Balasubramani M
2018-08-18
在数组实例上使用
includes()
方法。
console.log(['red', 'green'].includes('red'))
console.log(['red', 'green'].includes('blue'))
Bharath Rao Burannagari
2020-06-10