我正在尝试检查对象数组中是否存在特定项(属性值),但无法找到任何解决方案。请让我知道,我在这里失踪了。
class Name {
var id : Int
var name : String
init(id:Int, name:String){
self.id = id
self.name = name
}
}
var objarray = [Name]()
objarray.append(Name(id: 1, name: "Nuibb"))
objarray.append(Name(id: 2, name: "Smith"))
objarray.append(Name(id: 3, name: "Pollock"))
objarray.append(Name(id: 4, name: "James"))
objarray.append(Name(id: 5, name: "Farni"))
objarray.append(Name(id: 6, name: "Kuni"))
if contains(objarray["id"], 1) {
println("1 exists in the array")
}else{
println("1 does not exists in the array")
}
答案 0 :(得分:56)
您可以像这样过滤数组:
let results = objarray.filter { $0.id == 1 }
将返回一个与闭包中指定的条件匹配的元素数组 - 在上面的例子中,它将返回一个数组,其中包含id
属性等于1的所有元素。
由于您需要布尔结果,只需执行以下检查:
let exists = results.isEmpty == false
如果过滤后的数组至少有一个元素,则 exists
为真
答案 1 :(得分:11)
在 Swift 3 :
if objarray.contains(where: { name in name.id == 1 }) {
print("1 exists in the array")
} else {
print("1 does not exists in the array")
}
答案 2 :(得分:9)
在 Swift 2.x :
if objarray.contains({ name in name.id == 1 }) {
print("1 exists in the array")
} else {
print("1 does not exists in the array")
}
答案 3 :(得分:3)
使用,
(where
)符号对@ Antonio解决方案进行了一次小规模的迭代:
if let results = objarray.filter({ $0.id == 1 }), results.count > 0 {
print("1 exists in the array")
} else {
print("1 does not exists in the array")
}
答案 4 :(得分:2)
这里主要有2个可行的选择。
contains(where:
上使用objarray
方法。我只是在这里对@TheEye的答案进行了较小的修改:if objarray.contains(where: { $0.id == 1 }) {
print("1 exists in the array")
} else {
print("1 does not exists in the array")
}
Equatable
协议一致性要求,并仅使用contains
,如下所示:// first conform `Name` to `Equatable`
extension Name: Equatable {
static func == (lhs: Name, rhs: Name) -> Bool {
lhs.id == rhs.id
}
}
// then
let firstName = Name(id: 1, name: "Different Name")
if objarray.contains(firstName) {
print("1 exists in the array") // prints this out although the names are different, because of the override
} else {
print("1 does not exists in the array")
}
答案 5 :(得分:1)
这对我很好:
if(contains(objarray){ x in x.id == 1})
{
println("1 exists in the array")
}
答案 6 :(得分:1)
//迅速4.2
if objarray.contains(where: { $0.id == 1 }) {
// print("1 exists in the array")
} else {
// print("1 does not exists in the array")
}
答案 7 :(得分:0)
签名:
let booleanValue = 'propertie' in yourArray;
示例:
let yourArray= ['1', '2', '3'];
let contains = '2' in yourArray; => true
let contains = '4' in yourArray; => false
答案 8 :(得分:-1)
我采用这种解决方案来解决类似的问题。使用contains返回一个布尔值。
var myVar = "James"
if myArray.contains(myVar) {
print("present")
}
else {
print("no present")
}