Bren
Bren

Reputation: 342

How to bridge Swift String to Objective C NSString?

Am I taking crazy pills? Directly out of the documentation:

“Swift automatically bridges between the String type and the NSString class. This means that anywhere you use an NSString object, you can use a Swift String type instead and gain the benefits of both types—the String type’s interpolation and Swift-designed APIs and the NSString class’s broad functionality. For this reason, you should almost never need to use the NSString class directly in your own code. In fact, when Swift imports Objective-C APIs, it replaces all of the NSString types with String types. When your Objective-C code uses a Swift class, the importer replaces all of the String types with NSString in imported API.

To enable string bridging, just import Foundation.”

I've done this... consider:

import Foundation

var str = "Hello World"

var range = str.rangeOfString("e")

// returns error: String does not contain member named: rangeOfString()

However:

var str = "Hello World" as NSString

var range = str.rangeOfString("e")

// returns correct (2, 1)

Am I missing something?

Upvotes: 18

Views: 31785

Answers (3)

Deepak Kumar
Deepak Kumar

Reputation: 1044

Here is example for this :

string str_simple = "HELLO WORLD";

//string to NSString
NSString *stringinObjC = [NSString stringWithCString:str_simple.c_str()
                                encoding:[NSString defaultCStringEncoding]];            
NSLog(stringinObjC);

Upvotes: 0

Zorayr
Zorayr

Reputation: 24962

To go from String to NSString use the following constructor:

let swiftString:String = "I'm a string."
let objCString:NSString = NSString(string:swiftString)

With Xcode 7 (beta), using a downcast from String to NSString, as in below example, will result in a warning message, Cast from 'String?' to unrelated type 'NSString' always fails:

let objcString:NSString = swiftString as! NSString // results in error

Upvotes: 32

Cihan Tek
Cihan Tek

Reputation: 5409

You already have the answer in your question. You're missing the cast. When writing Swift code, a statement such as this one

var str = "Hello World"

creates a Swift String, not an NSString. To make it work as an NSString, you should cast it to an NSString using the as operator before using it.

This is different than calling a method written in Objective-C and supplying a String instead of an NSString as a parameter.

Upvotes: 10

Related Questions