50

How do I assign multiple variables in one line using Swift?

    var blah = 0
    var blah2 = 2

    blah = blah2 = 3  // Doesn't work???
Matt Gibson
  • 37,886
  • 9
  • 99
  • 128
hamobi
  • 7,940
  • 4
  • 35
  • 64

2 Answers2

85

You don't.

This is a language feature to prevent the standard unwanted side-effect of assignment returning a value, as described in the Swift book:

Unlike the assignment operator in C and Objective-C, the assignment operator in Swift does not itself return a value. The following statement is not valid:

   if x = y {
       // this is not valid, because x = y does not return a value
   }

This feature prevents the assignment operator (=) from being used by accident when the equal to operator (==) is actually intended. By making if x = y invalid, Swift helps you to avoid these kinds of errors in your code.

So, this helps prevent this extremely common error. While this kind of mistake can be mitigated for in other languages—for example, by using Yoda conditions—the Swift designers apparently decided that it was better to make certain at the language level that you couldn't shoot yourself in the foot. But it does mean that you can't use:

blah = blah2 = 3

If you're desperate to do the assignment on one line, you could use tuple syntax, but you'd still have to specifically assign each value:

(blah, blah2) = (3, 3)

...and I wouldn't recommend it. While it may feel inconvenient at first, just typing the whole thing out is the best way to go, in my opinion:

blah = 3
blah2 = 3
Jack
  • 13,571
  • 6
  • 76
  • 98
Matt Gibson
  • 37,886
  • 9
  • 99
  • 128
  • 5
    This is the kind of heavy-handed stuff that I feel like appears in "early / young" languages all the time. The gods of the language make it impossible to write code they subjectively find objectionable (this being one example, another being the necessity to prefix floats with `0` [try writing `let x = .5` in swift]). – dave Apr 10 '16 at 19:48
  • 4
    blah = 3; blah2 = 3; – Kyle KIM Jul 18 '16 at 17:41
  • dave: Agreed; this is not a feature, but a detraction from time-saving development efficiency, caught in the spirit of 'C' programming. 'gods' of new languages should consult the devils of prior languages for development efficiency wisdom. – Doug Null May 31 '22 at 15:09
9

As the accepted answer says: You can get some tighter syntax, however you cannot assign from a to b to c without using multiple lines (for safety, probably). Here's an example of some more concise syntax to declare and assign multiple variables in one line:

var red, green, blue, alpha : CGFloat
(red, green, blue, alpha) = (0.0, 0.0, 0.0, 0.0)
ledColor.getRed(&red, green: &green, blue: &blue, alpha: &alpha)
Dan Rosenstark
  • 68,471
  • 58
  • 283
  • 421