22

In The Swift Programming Language, in the section on Strings, subsection String Mutability, it says this:

You indicate whether a particular String can be modified (or mutated) by assigning it to a variable (in which case it can be modified), or to a constant (in which case it cannot be modified):

and gives example code:

var variableString = "Horse"
variableString += " and carriage"
// variableString is now "Horse and carriage"

let constantString = "Highlander"
constantString += " and another Highlander"
// this reports a compile-time error - a constant string cannot be modified”

The book in iBooks here, or in a web browser here.

In the next paragraph it claims that "strings are value types".

My question: that doesn't look like a mutable string to me. It looks like what I'm used to in Java (or C#, Python, and others): immutable string objects with mutable variable bindings. In other words, there was an object "Horse" and then it created a new String object "Horse and carriage" and set it to the same variable. And since there is no way to tell the difference between an reference to an immutable object versus a value type (right?), I wonder: why are they describing it like this? Is there any difference between these Swift strings and the way it is in Java? (Or C#, Python, Objective-C/NSString)

Rob N
  • 15,024
  • 17
  • 92
  • 165
  • 6
    Their description is incorrect. What they are really talking about is like final versus non-final variables in Java. There is no string mutability here. – user207421 Jun 14 '14 at 17:23
  • 1
    Apple doc say also: "Behind the scenes, Swift’s compiler optimizes string usage so that actual copying takes place only when absolutely necessary. This means you always get great performance when working with strings as value types". To me it looks like the compiler decides in background, whether it will be copied or not depending on how you use the string. – Torsten B Sep 29 '14 at 05:46
  • It would be helpful if you defined what you mean, exactly, by "mutable" and "immutable". The way I understand it, it is not the name (of the constant or variable) or the value that is immutable - it is the match between them. Calling something mutable simply means that the variable name can be matched with a new value after it is initially set. Calling something immutable simply means that the constant name cannot be matched with a new value after it has initially been set. Perhaps I am misunderstanding something, but that is how I understand mutability. – Aaron Rasmussen Dec 29 '14 at 22:40
  • 1
    Great question .. and terribly sloppy Swift documentation wording. It mixes mutability of *objects* (as can be observed) and *bindings* all over. – user2864740 Sep 17 '15 at 18:19
  • I think [this screenshot from a Playground](http://i.stack.imgur.com/lMHdx.png) says a lot about what's going on with the various ways of "mutating" strings in Swift. – nhgrif Apr 12 '16 at 01:19

6 Answers6

19

In a certain way, "mutable" and "immutable" only make sense when talking about reference types. If you try to extend it to value types, then all value types can be considered functionally equivalent to "immutable" reference types.

For example, consider a var of type Int. Is this mutable? Some of you might say, sure -- you can change its visible "value" by assigning (=) to it. However, the same can be said of a var of NSNumber and NSString -- you can change its visible value by assigning to it. But NSNumber and NSString are described as immutable classes.

What is really happening for reference types is that assigning to them causes the variable (a pointer) to point to a new object. Neither the old nor new object itself is "changed", but since it points to a different object, you "see" a new value.

What we mean when we say a class is "mutable" is that it offers an API (method or reference) to actually change the contents of the object. But how do we know that the object has changed? (rather it being a new object?) It's because we could have another reference to the same object, and changes to the object through one reference is visible through another reference. But these properties (pointing to different objects, having multiple pointers to the same object) inherently only apply to reference types. Value types, by definition, cannot have such "sharing" (unless part of the "value" is a reference type, like in Array), and thus, the consequence of "mutability" cannot happen for value types.

So if you make an immutable class that wraps an integer, it would be operationally equivalent to an Int -- in both cases, the only way to change a variable's value would be to assign (=) to it. So Int should also similarly be considered "immutable".

Value types in Swift are slightly more complex, because they can have methods, some of which can be mutating. So if you can call a mutating method on a value type, is it mutable? However, we can overcome this if we consider calling a mutating method on a value type to be syntactic sugar for assigning a whole new value to it (whatever the method would mutate it to).

newacct
  • 119,665
  • 29
  • 163
  • 224
4

In Swift, Structures and Enumerations Are Value Types:

In fact, all of the basic types in Swift—integers, floating-point numbers, Booleans, strings, arrays and dictionaries—are value types, and are implemented as structures behind the scenes.

So a string is a value type that gets copied on assignment and cannot have multiple references, but its underlying character data is stored in a shareable, copy-on-write buffer. The API reference for the String struct says:

Although strings in Swift have value semantics, strings use a copy-on-write strategy to store their data in a buffer. This buffer can then be shared by different copies of a string. A string’s data is only copied lazily, upon mutation, when more than one string instance is using the same buffer. Therefore, the first in any sequence of mutating operations may cost O(n) time and space.

So indeed, var vs. let declares a mutable vs. immutable binding to a character buffer that appears immutable.

var v1 = "Hi"      // mutable
var v2 = v1        // assign/pass by value, i.e. copies the String struct
v1.append("!")     // mutate v1; does not mutate v2
[v1, v2]           // ["Hi!", "Hi"]

let c1 = v1        // immutable
var v3 = c1        // a mutable copy
// c1.append("!")  // compile error: "Cannot use mutating member on immutable value: 'c1' is a 'let' constant"
v3 += "gh"         // mutates v3, allocating a new character buffer if needed
v3.append("?")     // mutates v3, allocating a new character buffer if needed
[c1, v3]           // ["Hi", "High?"]

This is like non-final vs. final Java String variables with two wrinkles.

  1. With a mutable binding you may call mutating methods. Since there can't be any aliasing to a value type, you can't tell whether a mutating method actually modifies the character buffer or reassigns to the String variable, except for the performance impact.
  2. The implementation can optimize mutating operations by mutating a character buffer in place when it's used by only one String instance.
Jerry101
  • 12,157
  • 5
  • 44
  • 63
  • The bottom of this post is the only/most relevant portion: `extend` does not mutate the original object. Rather it is [a mutating function](http://natashatherobot.com/mutating-functions-swift-structs/). **A mutating function is effectively the same as an implicit/in-place re-assignment of a binding (which is why re-assignment *must* be allowed for it to work)**, but allows functions/methods to appear to act as they modify the original object. It is an 'out' across the original receiver (with a bit of magic). They do not. You can verify this by looking at the address of the object - it changes. – user2864740 Sep 17 '15 at 18:22
  • @user2864740 so a calling a muting function quietly assigns to the variable. Indeed, testing the recently added `unsafeAddressOf()` on strings jives with that. `unsafeAddressOf()` won't apply to structs like the blog post's `Rectangle` example. Do you have an authoritative source for this? Is a string implemented as a struct that owns a heap node? – Jerry101 Sep 17 '15 at 22:38
  • 1
    @Jerry101 `String` is indeed implemented as a struct. All you have to do is check the source, Jerry. – nhgrif Apr 12 '16 at 01:02
  • Thanks @nhgrif! The answer above was posted before Apple open-sourced Swift or even documented it very well. I haven't looked into Swift since then. Have they clarified the documentation on "value types"? Have they documented when memory allocation/deallocation happens? – Jerry101 Apr 12 '16 at 01:08
  • 1
    You've pretty much always been able to command click through from the type name at least to the public interface. http://i.stack.imgur.com/YwEyW.png – nhgrif Apr 12 '16 at 01:12
  • Isn't there a typo in the second line of Swift code - should be "var v2 = v1"? – RenniePet Dec 16 '16 at 06:55
  • @RenniePet yes. Fixed. Thanks. – Jerry101 Dec 17 '16 at 00:59
2

Actually, Swift's Strings appear to be just like Objective-C (immutable) NSString; I found this in the documentation you linked to -

Swift’s String type is bridged seamlessly to Foundation’s NSString class. If you are working with the Foundation framework in Cocoa or Cocoa Touch, the entire NSString API is available to call on any String value you create, in addition to the String features described in this chapter. You can also use a String value with any API that requires an NSString instance.

Elliott Frisch
  • 198,278
  • 20
  • 158
  • 249
2

Swift strings are values, not objects. When you change a value, it becomes a different value. So in the first case, using var, you are simply assigning the new value to the same variable. Whereas let is guaranteed not to have any other value after you assign it, so it gives a compiler error.

So to answer your question, Swift strings receive pretty much the same treatment as in Java, but are considered as values rather than objects.

birikino
  • 71
  • 4
  • Would you agree then that it's odd to call them "mutable strings"? I mean I don't consider an `Int` mutable. It can be bound to a `var` but I consider that a mutable binding, not a mutable Int. Maybe that's wrong, or not the way everyone thinks about it. – Rob N Jun 14 '14 at 16:57
  • 2
    Yes it's definitely odd for them to describe it that way, especially when the next paragraph goes even more into the immutability aspect, explaining that a string gets copied on assignment to another variable. The only mutable thing in the example is the `var`. – birikino Jun 14 '14 at 17:13
  • @RobN can you see an array of Int as mutable? We can modify the array in place, without memory allocation work. Swift arrays are value objects, meaning assignment copies the entire array and there's no way to have two references to the same array. But again they can be mutable or immutable, depending on the variable declaration. I added an Addendum to my answer about this. – Jerry101 Jul 27 '15 at 01:03
  • @Jerry101 Yes, I can. Fortunately, the Swift mutable/immutable concepts have clarified since last summer. Arrays were different then. My confusion was about different meanings of "mutable", in value vs reference semantics. – Rob N Jul 27 '15 at 13:21
2

To answer the original question. Strings in Swift are not the same as Strings in Java or C# (I don't know about Python). They differ in two ways.

1) Strings in Java and C# are reference types. Strings in Swift (and C++) are value types.

2) Strings in Java and C# are always immutable even if the reference is not declared final or readonly. Strings in Swift (and C++) can be mutable or immutable depending on how they are declared (let vs var in Swift).

When you declare final String str = "foo" in Java you are declaring an immutable reference to an immutable String object. String str = "foo" declares a mutable reference to an immutable String object.

When you declare let str = "foo"in Swift you are declaring an immutable string. var str = "foo" declares a mutable string.

ADG
  • 343
  • 1
  • 9
1

First, you're using immutable method that makes a new value instance. You need to use mutating methods such as extend to perform the operation in mutating semantic.

What you did at here is creating a new immutable string and binding it into an existing name.

var variableString = "Horse"
variableString += " and carriage"

This is mutating the string in-place without any extra name binding.

var variableString = "Horse"
variableString.extend(" and carriage")

Second, purpose of immutable/mutable separation is providing easier and safer programming model. You can make more assumptions safely on immutable data structure, and it can eliminate many headache cases. And this helps optimisation. Without immutable type, you need to copy whole data when you passing it into a function. Otherwise, original data can be mutated by the function, and this kind of effect is unpredictable. Then such functions need to be annotated like "This function does not modify passed-in data.". With immutable type, you can safety assume the function cannot modify the data, then you don't have to copy it. Swift does this implicitly and automatically by default.

Yes, actually mutable/immutable difference is nothing more than difference in interface in higher level languages like Swift. Value semantic simply means it does not support identity comparison. As many details are abstracted out, internal implementation can be anything. Swift code comment is clarifying the string is using COW tricks, and then I believe both of the immutable/mutable interfaces are actually mapped to mostly-immutable implementations. I believe you will get pretty same result regardless of interface choice. But still, this provides benefits of immutable data type I mentioned.

Then, the code example, actually does same thing. The only difference is you cannot mutate the original that bound to its name in immutable mode.

eonil
  • 83,476
  • 81
  • 317
  • 516