99

In this code I've written a really useless enum that defines a possible Number with Int or Float.

I can't understand how can I access the value that I set with the association. If I try to print it I get just (Enum Value)

enum Number {
    case int (Int)
    case float (Float)
}

let integer = Number.int(10)
let float = Number.float(10.5)
println("integer is \(integer)")
println("float is \(float)")
MatterGoal
  • 16,038
  • 19
  • 109
  • 186

10 Answers10

143

For sake of completeness, enum's association value could be accesed also using if statement with pattern matching. Here is solution for original code:

enum Number {
  case int (Int)
  case float (Float)
}

let integer = Number.int(10)
let float = Number.float(10.5)

if case let .int(i) = integer {
  print("integer is \(i)")
}
if case let .float(f) = float {
  print("float is \(f)")
}

This solution is described in detail in: https://appventure.me/2015/10/17/advanced-practical-enum-examples/

Marek Gregor
  • 3,691
  • 2
  • 26
  • 28
130

The value is associated to an instance of the enumeration. Therefore, to access it without a switch, you need to make a getter and make it available explicitly. Something like below:

enum Number {
    case int(Int)
    case float(Float)

    func get() -> NSNumber {
        switch self {
        case .int(let num):
            return num
        case .float(let num):
            return num
        }
    }
}

var vInteger = Number.int(10)
var vFloat = Number.float(10.5)

println(vInteger.get())
println(vFloat.get())

Maybe in the future something like that may be automatically created or a shorter convenience could be added to the language.

Binarian
  • 12,296
  • 8
  • 53
  • 84
iQ.
  • 3,811
  • 6
  • 38
  • 57
19

It surprises me that Swift 2 (as of beta 2) does not address this. Here's an example of a workaround approach for now:

enum TestAssociatedValue {
  case One(Int)
  case Two(String)
  case Three(AnyObject)

  func associatedValue() -> Any {
    switch self {
    case .One(let value):
      return value
    case .Two(let value):
      return value
    case .Three(let value):
      return value
    }
  }
}

let one = TestAssociatedValue.One(1)
let oneValue = one.associatedValue() // 1
let two = TestAssociatedValue.Two("two")
let twoValue = two.associatedValue() // two

class ThreeClass {
  let someValue = "Hello world!"
}

let three = TestMixed.Three(ThreeClass())
let threeValue = three. associatedValue() as! ThreeClass
print(threeValue.someValue)

If your enum mixes cases with and without associated values, you'll need to make the return type an optional. You could also return literals for some cases (that do not have associated values), mimicking raw-value typed enums. And you could even return the enum value itself for non-associated, non-raw-type cases. For example:

enum TestMixed {
  case One(Int)
  case Two(String)
  case Three(AnyObject)
  case Four
  case Five

  func value() -> Any? {
    switch self {
    case .One(let value):
      return value
    case .Two(let value):
      return value
    case .Three(let value):
      return value
    case .Four:
      return 4
    case .Five:
      return TestMixed.Five
    }
  }
}

let one = TestMixed.One(1)
let oneValue = one.value() // 1
let two = TestMixed.Two("two")
let twoValue = two.value() // two

class ThreeClass {
  let someValue = "Hello world!"
}

let three = TestMixed.Three(ThreeClass())
let threeValue = three.value() as! ThreeClass
print(threeValue.someValue)

let four = TestMixed.Four
let fourValue = four.value() // 4

let five = TestMixed.Five
let fiveValue = five.value() as! TestMixed

switch fiveValue {
case TestMixed.Five:
  print("It is")
default:
  print("It's not")
}
// Prints "It is"
Scott Gardner
  • 8,603
  • 1
  • 44
  • 36
8

You can access enum associated value not only through switch! Mirrors come to our aid

Let's create a protocol

protocol MirrorAssociated {
    var associatedValues: [String: Any] { get }
}

extension MirrorAssociated {
    var associatedValues: [String: Any] {
        var values = [String: Any]()
        if let associated = Mirror(reflecting: self).children.first {
            let children = Mirror(reflecting: associated.value).children
            for case let item in children {
                if let label = item.label {
                    values[label] = item.value
                }
            }
        }
        return values
    }
}

and use it like this:

enum Test: MirrorAssociated {
    case test(value: String, anotherValue: Int)
}

Now we can access any associated value without using switch:

let test: Test = .test(value: "Test String", anotherValue: 1337)

if let value = test.associatedValues["value"] as? String {
    print("\(value)") // "Test String"
}

if let intValue = test.associatedValues["anotherValue"] as? Int {
    print("\(intValue)") // 1337
}
Ilia Kambarov
  • 83
  • 1
  • 3
  • interesting solution. Better not do like this, but really interesting. Thanks for your answer – Andrew_STOP_RU_WAR_IN_UA Mar 31 '23 at 23:49
  • Why not? It removed the need to implement a gazillion switch/case lines! – StackUnderflow Jul 18 '23 at 21:19
  • @StackUnderflow because of mirroring is slow. Another problem of this solution is that you can miss in one letter in `["anotherValue"]` and you will loose really lot of time to debug the code. To find reason of incorrect code behaviour will be really difficult task. ||||| If you want to ask someone - you need to write "@nickname" in another case this person will not see your message. – Andrew_STOP_RU_WAR_IN_UA Aug 22 '23 at 15:14
7

I have used something like this:

switch number {
case .int(let n):
    println("integer is \(n)")
case .float(let n):
    println("float is \(n)")
}
manojlds
  • 290,304
  • 63
  • 469
  • 417
  • 11
    I'd like to access the value directly and not through a switch. – MatterGoal Jun 17 '14 at 12:24
  • @MatterGoal - How can you access it without knowing what it is? As far as I know, the switch is the only way. – manojlds Jun 17 '14 at 12:39
  • 1
    @MatterGoal - as manojids has pointed out, any attempt to access the associated values must be associated with a check for the enum case, so the switch really isn't adding any code, maybe moving it around a bit is all. – David Berry Jun 17 '14 at 15:59
  • @MatterGoal "How can you access it without knowing what it is? As far as I know, the switch is the only way. " - How about the `if` statement? It woudl be great to be able to test against one particular `case` and on match, extract the associated value. – Nicolas Miari Mar 02 '16 at 04:14
  • @NicolasMiari - I have added solution with if statement extraction: http://stackoverflow.com/a/37159851/466677 – Marek Gregor May 11 '16 at 10:28
  • Thank you. I didn't know that one. – Nicolas Miari May 11 '16 at 10:30
7

like @iQ. answer, you can use property in enum also

enum Number {
    case int (Int)
    var value: Int {
        switch self {
            case .int(let value):
                return value
        }
    }
}

let integer = Number.int(10)
println("integer is \(integer.value)")
Zoon Nooz
  • 5,836
  • 2
  • 22
  • 16
3

If you're using guard, you can write like below:

enum Action {
    case .moveTab(index: Int)
}

guard let case .moveTab(index) = someAction else { return }
BurtK
  • 1,016
  • 13
  • 12
3

Swift 5

enum Directory {
    case accountImages(URL)
    case accountData(URL)
    
    var url: URL {
        switch self {
        case .accountImages(let url):
            return url
        case .accountData(let url):
            return url
        }
    }
}

func save(to directory: Directory) {
    let dir = directory.url
}
trndjc
  • 11,654
  • 3
  • 38
  • 51
2
enum NumberEnum {
    case int(Int)
    case float(Float)
    case twoInts(Int, Int)
}

let someNum = NumberEnum.twoInts(10,10)

To get value from ValueAssociatedEnum you able to follow one of 3 ways:

Way 1:

if case .twoInts( let val1, let val2 ) = someNum {
    print("hello \(val1) \(val2)")
}

Way 2:

guard case let .int(val) = someNum else { return }
print(val)

Way 3:

switch someNum {
case .int(let val):
    print("\(val)")
default:
    break;
}

Bonus: Way 4 - Mirroring

Better do not use mirroring as

  1. it is slow. So code is bad for production.
  2. difficult to debug in case of some bugs will be there.

But you can check how to do value get using mirroring in answer of Ilia Kambarov: https://stackoverflow.com/a/69406590/4423545

Also interesting information about mirroring related to value-associated enums here: Generic enum associated value extension. Is it possible?

Andrew_STOP_RU_WAR_IN_UA
  • 9,318
  • 5
  • 65
  • 101
0

Swift 4,

I have created a simple enum with associated values for handling firebase database reference paths

import Firebase

    enum FirebaseDBConstants  {

        case UserLocation(database : DatabaseReference, userID :String)
        case UserRequest(database : DatabaseReference, requestID :String)

        func getDBPath() -> DatabaseReference {
            switch self {
            case  .UserLocation(let database,let userID):
                return database.root.child(FirebaseDBEnvironmentEnum.getCurrentEnvioronMent()).child("Location").child(userID).child("JSON")

            case .UserRequest(let database,let requestID):
                return database.root.child(FirebaseDBEnvironmentEnum.getCurrentEnvioronMent()).child("Request").child(requestID)

            default:
                break
            }
        }
    }

Use it like as shown

//Pass Database refenence root as parameter with your request id
let dbPath = FirebaseDBConstants.UserRequest(database: database, requestID: requestId).getDBPath()
Pramod More
  • 1,220
  • 2
  • 22
  • 51