Say I have a string here:
var fullName: String = "First Last"
I want to split the string base on white space and assign the values to their respective variables
var fullNameArr = // something like: fullName.explode(" ")
var firstName: String = fullNameArr[0]
var lastName: String? = fullnameArr[1]
Also, sometimes users might not have a last name.
4
38 Answers
Just call componentsSeparatedByString
method on your fullName
import Foundation
var fullName: String = "First Last"
let fullNameArr = fullName.componentsSeparatedByString(" ")
var firstName: String = fullNameArr[0]
var lastName: String = fullNameArr[1]
Update for Swift 3+
import Foundation
let fullName = "First Last"
let fullNameArr = fullName.components(separatedBy: " ")
let name = fullNameArr[0]
let surname = fullNameArr[1]
12
Be noted that this is actually an underlying
NSString
(Swift automatically swaps them when importingFoundation
).– CanWhich is no longer the case in Swift 1.2, in which Apple no longer converts Swift’s String into NSString automagically.
– elcucoThis answer works in Xcode 7 beta 4 and Swift 2.0. Xcode now auto-completes Foundation methods on Swift String objects without type casting to an NSString, which is not the case in Xcode 6.4 with Swift 1.2.
– AndrewIt didn’t work in the REPL until I imported Foundation.
This works exactly as expected (i.e. fullNameArr is an
[String]
) in Xcode 7.2.– Jon Cox
The Swift way is to use the global split
function, like so:
var fullName = "First Last"
var fullNameArr = split(fullName) {$0 == " "}
var firstName: String = fullNameArr[0]
var lastName: String? = fullNameArr.count > 1 ? fullNameArr[1] : nil
with Swift 2
In Swift 2 the use of split becomes a bit more complicated due to the introduction of the internal CharacterView type. This means that String no longer adopts the SequenceType or CollectionType protocols and you must instead use the .characters
property to access a CharacterView type representation of a String instance. (Note: CharacterView does adopt SequenceType and CollectionType protocols).
let fullName = "First Last"
let fullNameArr = fullName.characters.split{$0 == " "}.map(String.init)
// or simply:
// let fullNameArr = fullName.characters.split{" "}.map(String.init)
fullNameArr[0] // First
fullNameArr[1] // Last
18
In my tests, componentsSeparatedByString is usually significantly faster, especially when dealing with strings that require splitting into many pieces. But for the example listed by the OP, either should suffice.
As of Xcode 6.2b3 split can be used as
split("a:b::c:", {$0 == ":"}, maxSplit: Int.max, allowEmptySlices: false)
.– PascalJust remember that you still need to use the old
componentsSeparatedByString()
method if your separator is anything longer than a single character. And as cool as it would be to saylet (firstName, lastName) = split(fullName) {$0 == ' '}
, that doesn’t work, sadly.– NRitH@Kashif then you could use
split("a,b;c,d") {$0 == "," || $0 == ";"}
orsplit("a,b;c,d") {contains(",;", $0)}
– EthanCorrect code for Xcode 7.0 is let fullNameArr = fullName.characters.split{$0 == ” “}.map(String.init). Tried to edit, but it got rejected.
– skagedal
The easiest method to do this is by using componentsSeparatedBy:
For Swift 2:
import Foundation
let fullName : String = "First Last";
let fullNameArr : [String] = fullName.componentsSeparatedByString(" ")
// And then to access the individual words:
var firstName : String = fullNameArr[0]
var lastName : String = fullNameArr[1]
For Swift 3:
import Foundation
let fullName : String = "First Last"
let fullNameArr : [String] = fullName.components(separatedBy: " ")
// And then to access the individual words:
var firstName : String = fullNameArr[0]
var lastName : String = fullNameArr[1]
4
Is this documented anywhere, Maury? What if I need to split on something other than a single character?
– NRitH@NRitH consider
.componentsSeparatedByCharactersInSet(.whitespaceAndNewlineCharacterSet())
– rmp251@Crashalot there are two functions:
componentsSeparatedByString
andcomponentsSeparatedByCharactersInSet
– rmp251@MdRais you should ask a new question, this one is 6 years old
– Wyetro
Swift Dev. 4.0 (May 24, 2017)
A new function split
in Swift 4 (Beta).
import Foundation
let sayHello = "Hello Swift 4 2017";
let result = sayHello.split(separator: " ")
print(result)
Output:
["Hello", "Swift", "4", "2017"]
Accessing values:
print(result[0]) // Hello
print(result[1]) // Swift
print(result[2]) // 4
print(result[3]) // 2017
Xcode 8.1 / Swift 3.0.1
Here is the way multiple delimiters with array.
import Foundation
let mathString: String = "12-37*2/5"
let numbers = mathString.components(separatedBy: ["-", "*", "https://stackoverflow.com/"])
print(numbers)
Output:
["12", "37", "2", "5"]
3
Make sure to add
import Foundation
to the class you’re using this in. #SavedYouFiveMinutes– AdrianAttention (Swift 4): If you have a string like
let a="a,,b,c"
and you usea.split(separator: ",")
you get an array like["a", "b", c"]
by default. This can be changed usingomittingEmptySubsequences: false
which is true by default.– OderWatAny multi-character splits in Swift 4+?
– pkamb
Swift 4 or later
If you just need to properly format a person name, you can use PersonNameComponentsFormatter.
The PersonNameComponentsFormatter class provides localized
representations of the components of a person’s name, as represented
by a PersonNameComponents object. Use this class to create localized
names when displaying person name information to the user.
// iOS (9.0 and later), macOS (10.11 and later), tvOS (9.0 and later), watchOS (2.0 and later)
let nameFormatter = PersonNameComponentsFormatter()
let name = "Mr. Steven Paul Jobs Jr."
// personNameComponents requires iOS (10.0 and later)
if let nameComps = nameFormatter.personNameComponents(from: name) {
nameComps.namePrefix // Mr.
nameComps.givenName // Steven
nameComps.middleName // Paul
nameComps.familyName // Jobs
nameComps.nameSuffix // Jr.
// It can also be configured to format your names
// Default (same as medium), short, long or abbreviated
nameFormatter.style = .default
nameFormatter.string(from: nameComps) // "Steven Jobs"
nameFormatter.style = .short
nameFormatter.string(from: nameComps) // "Steven"
nameFormatter.style = .long
nameFormatter.string(from: nameComps) // "Mr. Steven Paul Jobs jr."
nameFormatter.style = .abbreviated
nameFormatter.string(from: nameComps) // SJ
// It can also be use to return an attributed string using annotatedString method
nameFormatter.style = .long
nameFormatter.annotatedString(from: nameComps) // "Mr. Steven Paul Jobs jr."
}
edit/update:
Swift 5 or later
For just splitting a string by non letter characters we can use the new Character property isLetter
:
let fullName = "First Last"
let components = fullName.split{ !$0.isLetter }
print(components) // "["First", "Last"]n"
2
@DarrellRoot you just need to map the substrings
fullName.split { $0.isWhitespace }.map(String.init)
I love that new API but keep in mind it returns Substrings. I needed Strings (and wanted to split on whitespace in general) so I did this:
let words = line.split{ $0.isWhitespace }.map{ String($0)}
Thanks @LeoDabus for your version (my original comment had code missing). Also I suggest moving the Swift 5 version to the top of the answer.
As an alternative to WMios’s answer, you can also use componentsSeparatedByCharactersInSet
, which can be handy in the case you have more separators (blank space, comma, etc.).
With your specific input:
let separators = NSCharacterSet(charactersInString: " ")
var fullName: String = "First Last";
var words = fullName.componentsSeparatedByCharactersInSet(separators)
// words contains ["First", "Last"]
Using multiple separators:
let separators = NSCharacterSet(charactersInString: " ,")
var fullName: String = "Last, First Middle";
var words = fullName.componentsSeparatedByCharactersInSet(separators)
// words contains ["Last", "First", "Middle"]
2
Update for Swift 5.2 and the simpliest way
let paragraph = "Bob hit a ball, the hit BALL flew far after it was hit. Hello! Hie, How r u?"
let words = paragraph.components(separatedBy: [",", " ", "!",".","?"])
This prints,
[“Bob”, “hit”, “a”, “ball”, “”, “the”, “hit”, “BALL”, “flew”, “far”,
“after”, “it”, “was”, “hit”, “”, “Hello”, “”, “Hie”, “”, “How”, “r”,
“u”, “”]
However, if you want to filter out empty string,
let words = paragraph.components(separatedBy: [",", " ", "!",".","?"]).filter({!$0.isEmpty})
Output,
[“Bob”, “hit”, “a”, “ball”, “the”, “hit”, “BALL”, “flew”, “far”,
“after”, “it”, “was”, “hit”, “Hello”, “Hie”, “How”, “r”, “u”]
But make sure, Foundation is imported.
1
Note that this has different behaviour in some edge cases. For example:
"/users/4"
withsplit
will result in two elements, whereas withcomponents
, there will be three, the first one being the empty string.
Swift 4
let words = "these words will be elements in an array".components(separatedBy: " ")
1
Try converting the word to a char data type.
– Bobby
The whitespace issue
Generally, people reinvent this problem and bad solutions over and over. Is this a space? ” ” and what about “n”, “t” or some unicode whitespace character that you’ve never seen, in no small part because it is invisible. While you can get away with
A weak solution
import Foundation
let pieces = "Mary had little lamb".componentsSeparatedByString(" ")
If you ever need to shake your grip on reality watch a WWDC video on strings or dates. In short, it is almost always better to allow Apple to solve this kind of mundane task.
Robust Solution: Use NSCharacterSet
The way to do this correctly, IMHO, is to use NSCharacterSet
since as stated earlier your whitespace might not be what you expect and Apple has provided a whitespace character set. To explore the various provided character sets check out Apple’s NSCharacterSet developer documentation and then, only then, augment or construct a new character set if it doesn’t fit your needs.
NSCharacterSet whitespaces
Returns a character set containing the characters in Unicode General
Category Zs and CHARACTER TABULATION (U+0009).
let longerString: String = "This is a test of the character set splitting system"
let components = longerString.components(separatedBy: .whitespaces)
print(components)
1
Agreed. The first thing that occurred to me after seeing the answers that split by ” ” is: What happens if the input text contains several consecutive spaces? What if it has tabs? Full-width (CJK) space? etc.
In Swift 4.2 and Xcode 10
//This is your str
let str = "This is my String" //Here replace with your string
Option 1
let items = str.components(separatedBy: " ")//Here replase space with your value and the result is Array.
//Direct single line of code
//let items = "This is my String".components(separatedBy: " ")
let str1 = items[0]
let str2 = items[1]
let str3 = items[2]
let str4 = items[3]
//OutPut
print(items.count)
print(str1)
print(str2)
print(str3)
print(str4)
print(items.first!)
print(items.last!)
Option 2
let items = str.split(separator: " ")
let str1 = String(items.first!)
let str2 = String(items.last!)
//Output
print(items.count)
print(items)
print(str1)
print(str2)
Option 3
let arr = str.split {$0 == " "}
print(arr)
Option 4
let line = "BLANCHE: I don't want realism. I want magic!"
print(line.split(separator: " "))
// Prints "["BLANCHE:", "I", "don't", "want", "realism.", "I", "want", "magic!"]"
let line = "BLANCHE: I don't want realism. I want magic!"
print(line.split(separator: " "))
// Prints "["BLANCHE:", "I", "don't", "want", "realism.", "I", "want", "magic!"]"
print(line.split(separator: " ", maxSplits: 1))//This can split your string into 2 parts
// Prints "["BLANCHE:", " I don't want realism. I want magic!"]"
print(line.split(separator: " ", maxSplits: 2))//This can split your string into 3 parts
print(line.split(separator: " ", omittingEmptySubsequences: false))//array contains empty strings where spaces were repeated.
// Prints "["BLANCHE:", "", "", "I", "don't", "want", "realism.", "I", "want", "magic!"]"
print(line.split(separator: " ", omittingEmptySubsequences: true))//array not contains empty strings where spaces were repeated.
print(line.split(separator: " ", maxSplits: 4, omittingEmptySubsequences: false))
print(line.split(separator: " ", maxSplits: 3, omittingEmptySubsequences: true))
0
Swift 4 makes it much easier to split characters, just use the new split function for Strings.
Example:
let s = "hi, hello"
let a = s.split(separator: ",")
print(a)
Now you got an array with ‘hi’ and ‘ hello’.
1
Note that this do not return an array of String, but array of Substring which is awkward to use.
– Lirik
Swift 3
let line = "AAA BBBt CCC"
let fields = line.components(separatedBy: .whitespaces).filter {!$0.isEmpty}
- Returns three strings
AAA
,BBB
andCCC
- Filters out empty fields
- Handles multiple spaces and tabulation characters
- If you want to handle new lines, then replace
.whitespaces
with.whitespacesAndNewlines
0
Swift 4, Xcode 10 and iOS 12 Update 100% working
let fullName = "First Last"
let fullNameArr = fullName.components(separatedBy: " ")
let firstName = fullNameArr[0] //First
let lastName = fullNameArr[1] //Last
See the Apple’s documentation here for further information.
0
Only the split
is the correct answer, here are the difference for more than 2 spaces.
Swift 5
var temp = "Hello world ni hao"
let arr = temp.components(separatedBy: .whitespacesAndNewlines)
// ["Hello", "world", "", "", "", "", "ni", "hao"]
let arr2 = temp.components(separatedBy: " ")
// ["Hello", "world", "", "", "", "", "ni", "hao"]
let arr3 = temp.split(whereSeparator: {$0 == " "})
// ["Hello", "world", "ni", "hao"]
0
Xcode 8.0 / Swift 3
let fullName = "First Last"
var fullNameArr = fullName.components(separatedBy: " ")
var firstname = fullNameArr[0] // First
var lastname = fullNameArr[1] // Last
Long Way:
var fullName: String = "First Last"
fullName += " " // this will help to see the last word
var newElement = "" //Empty String
var fullNameArr = [String]() //Empty Array
for Character in fullName.characters {
if Character == " " {
fullNameArr.append(newElement)
newElement = ""
} else {
newElement += "(Character)"
}
}
var firsName = fullNameArr[0] // First
var lastName = fullNameArr[1] // Last
1
Most of these answers assume the input contains a space – not whitespace, and a single space at that. If you can safely make that assumption, then the accepted answer (from bennett) is quite elegant and also the method I’ll be going with when I can.
When we can’t make that assumption, a more robust solution needs to cover the following siutations that most answers here don’t consider:
- tabs/newlines/spaces (whitespace), including recurring characters
- leading/trailing whitespace
- Apple/Linux (
n
) and Windows (rn
) newline characters
To cover these cases this solution uses regex to convert all whitespace (including recurring and Windows newline characters) to a single space, trims, then splits by a single space:
Swift 3:
let searchInput = " First rn n tttMiddle Last "
let searchTerms = searchInput
.replacingOccurrences(
of: "\s+",
with: " ",
options: .regularExpression
)
.trimmingCharacters(in: .whitespaces)
.components(separatedBy: " ")
// searchTerms == ["First", "Middle", "Last"]
0
I had a scenario where multiple control characters can be present in the string I want to split. Rather than maintain an array of these, I just let Apple handle that part.
The following works with Swift 3.0.1 on iOS 10:
let myArray = myString.components(separatedBy: .controlCharacters)
I found an Interesting case, that
method 1
var data:[String] = split( featureData ) { $0 == "u{003B}" }
When I used this command to split some symbol from the data that loaded from server, it can split while test in simulator and sync with test device, but it won’t split in publish app, and Ad Hoc
It take me a lot of time to track this error, It might cursed from some Swift Version, or some iOS Version or neither
It’s not about the HTML code also, since I try to stringByRemovingPercentEncoding and it’s still not work
addition 10/10/2015
in Swift 2.0 this method has been changed to
var data:[String] = featureData.split {$0 == "u{003B}"}
method 2
var data:[String] = featureData.componentsSeparatedByString("u{003B}")
When I used this command, it can split the same data that load from server correctly
Conclusion, I really suggest to use the method 2
string.componentsSeparatedByString("")
1
I’d say this is close to “not an answer” status, in that it’s mostly commentary on existing answers. But it is pointing out something important.
– rickster
Steps to split a string into an array in Swift 4.
- assign string
- based on @ splitting.
Note: variableName.components(separatedBy: “split keyword”)
let fullName: String = "First Last @ triggerd event of the session by session storage @ it can be divided by the event of the trigger."
let fullNameArr = fullName.components(separatedBy: "@")
print("split", fullNameArr)
This gives an array of split parts directly
var fullNameArr = fullName.components(separatedBy:" ")
then you can use like this,
var firstName: String = fullNameArr[0]
var lastName: String? = fullnameArr[1]
Or without closures you can do just this in Swift 2:
let fullName = "First Last"
let fullNameArr = fullName.characters.split(" ")
let firstName = String(fullNameArr[0])
Swift 4
let string = "loremipsum.dolorsant.amet:"
let result = string.components(separatedBy: ".")
print(result[0])
print(result[1])
print(result[2])
print("total: (result.count)")
Output
loremipsum
dolorsant
amet:
total: 3
0
Let’s say you have a variable named “Hello World” and if you want to split it and store it into two different variables you can use like this:
var fullText = "Hello World"
let firstWord = fullText.text?.components(separatedBy: " ").first
let lastWord = fullText.text?.components(separatedBy: " ").last
let str = "one two"
let strSplit = str.characters.split(" ").map(String.init) // returns ["one", "two"]
Xcode 7.2 (7C68)
0
Swift 2.2
Error Handling & capitalizedString Added :
func setFullName(fullName: String) {
var fullNameComponents = fullName.componentsSeparatedByString(" ")
self.fname = fullNameComponents.count > 0 ? fullNameComponents[0]: ""
self.sname = fullNameComponents.count > 1 ? fullNameComponents[1]: ""
self.fname = self.fname!.capitalizedString
self.sname = self.sname!.capitalizedString
}
0
String handling is still a challenge in Swift and it keeps changing significantly, as you can see from other answers. Hopefully things settle down and it gets simpler. This is the way to do it with the current 3.0 version of Swift with multiple separator characters.
Swift 3:
let chars = CharacterSet(charactersIn: ".,; -")
let split = phrase.components(separatedBy: chars)
// Or if the enums do what you want, these are preferred.
let chars2 = CharacterSet.alphaNumerics // .whitespaces, .punctuation, .capitalizedLetters etc
let split2 = phrase.components(separatedBy: chars2)
I was looking for loosy split, such as PHP’s explode
where empty sequences are included in resulting array, this worked for me:
"First ".split(separator: " ", maxSplits: 1, omittingEmptySubsequences: false)
Output:
["First", ""]
0
This has Changed again in Beta 5. Weee! It’s now a method on CollectionType
Old:
var fullName = "First Last"
var fullNameArr = split(fullName) {$0 == " "}
New:
var fullName = "First Last"
var fullNameArr = fullName.split {$0 == " "}
For swift 2, XCode 7.1:
let complete_string:String = "Hello world"
let string_arr = complete_string.characters.split {$0 == " "}.map(String.init)
let hello:String = string_arr[0]
let world:String = string_arr[1]
0
Here is an algorithm I just build, which will split a String
by any Character
from the array and if there is any desire to keep the substrings with splitted characters one could set the swallow
parameter to true
.
Xcode 7.3 – Swift 2.2:
extension String {
func splitBy(characters: [Character], swallow: Bool = false) -> [String] {
var substring = ""
var array = [String]()
var index = 0
for character in self.characters {
if let lastCharacter = substring.characters.last {
// swallow same characters
if lastCharacter == character {
substring.append(character)
} else {
var shouldSplit = false
// check if we need to split already
for splitCharacter in characters {
// slit if the last character is from split characters or the current one
if character == splitCharacter || lastCharacter == splitCharacter {
shouldSplit = true
break
}
}
if shouldSplit {
array.append(substring)
substring = String(character)
} else /* swallow characters that do not equal any of the split characters */ {
substring.append(character)
}
}
} else /* should be the first iteration */ {
substring.append(character)
}
index += 1
// add last substring to the array
if index == self.characters.count {
array.append(substring)
}
}
return array.filter {
if swallow {
return true
} else {
for splitCharacter in characters {
if $0.characters.contains(splitCharacter) {
return false
}
}
return true
}
}
}
}
Example:
"test text".splitBy([" "]) // ["test", "text"]
"test++text--".splitBy(["+", "-"], swallow: true) // ["test", "++" "text", "--"]
0
Hi, i dont have my Mac to check. But you can try ‘fullName.componentsSeparatedByString(string:” “)’ Dont copy and paste, use the autocompletefunction, so you get the right function.
If you are only splitting by one character, using
fullName.utf8.split( <utf-8 character code> )
works as well (replace.utf8
with.utf16
for UTF-16). For example, splitting on+
could be done usingfullName.utf8.split(43)
Also, sometimes last names have spaces in them, as in “Daphne du Maurier” or “Charles de Lint”
I found this nice: Split a string by single delimiter, String splitting by multiple delimiters, String splitting by word delimiter