Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Swift - Unwrap optional in for in loop with where clause

I have a class with an optional member :

class A {
    var i: Int? = nil
}

Then I have an array of objects of type A. Some objects in the array have a value for i, some others don't.

I want to iterate over objects in the array that have a value for i while unwrapping the optional at the same time. I didn't find a way to do both at the same time (I don't even know if it's possible), forcing me to write a if let construct inside the loop.
For example :

// a1, a2 have a value for i
let arr: [A] = [a1, a2, a3]
for obj in arr where obj.i != nil {
    // I want to avoid if let, or force unwrapping here
    if let unwrapped = obj.i {
        print(i)
    }
    // let unwrapped = obj.i! ...
}

Is it possible in Swift ?

like image 297
Vince Avatar asked Jan 06 '17 10:01

Vince


People also ask

What should we use for unwrapping value inside optional?

A common way of unwrapping optionals is with if let syntax, which unwraps with a condition. If there was a value inside the optional then you can use it, but if there wasn't the condition fails. For example: if let unwrapped = name { print("\(unwrapped.


2 Answers

1.Maybe you can use flatMap to get value i, then print it

arr.flatMap{ $0.i }.forEach{ print($0) }

2.or Trying simple guard statement

arr.forEach { element in
    guard let i = element.i else { return }
    print(i)
}
like image 64
Sai Li Avatar answered Oct 06 '22 14:10

Sai Li


I don't think that's possible.

Even if you have a where clause in your loop the type of obj is still of type A and as such i still remains optional.

To see why this is so think about the fact that you can change the value of i on object obj inside the loop, so the compiler is not sure that the value of i is valid until you unwrapp it.

You can try something like this

for obj in arr where obj.i != nil {
  guard let i = obj.i else { continue }

  print( i )
}

but if you start using guard you also skip the where clause

for obj in arr {
   guard let i = obj.i else { continue }

   print( i )
}
like image 3
Radu Diță Avatar answered Oct 06 '22 14:10

Radu Diță