Introduction to Strings in Swift
Strings are a fundamental data type in Swift used to represent text. A string is a sequence of characters, such as words, sentences, or even empty text. Swift provides powerful tools for creating, modifying, and manipulating strings, making them highly versatile.
Creating Strings
Strings can be created using string literals enclosed in double quotes:
File: main.swift
let greeting: String = "Hello, Swift!"
let emptyString = "" // An empty string
print(greeting)
print("Is the string empty? \(emptyString.isEmpty)")
Output:
data:image/s3,"s3://crabby-images/5de20/5de200ee3a7ec0d53e3c44995517d2604a3b83d6" alt="Example for Creating Strings in Swift"
String Interpolation
String interpolation allows you to include variables or expressions inside a string:
File: main.swift
let name = "Arjun"
let age = 25
let message = "My name is \(name) and I am \(age) years old."
print(message)
Explanation:
- The variables
name
andage
are embedded into the string using\()
.
Output:
data:image/s3,"s3://crabby-images/51d7c/51d7c9da02fd56921219e11bd49842581bb16094" alt="Output for String Interpolation Example in Swift"
String Concatenation
Strings can be combined using the +
operator:
File: main.swift
let part1 = "Hello, "
let part2 = "World!"
let combined = part1 + part2
print(combined)
Output:
data:image/s3,"s3://crabby-images/0fe5d/0fe5d0841872557a0e334c43a23b974e6cb96194" alt="Output to Example for String Concatenation in Swift"
String Properties and Methods
Strings in Swift have several useful properties and methods:
File: main.swift
let text = "Swift Programming"
print("Length of the string: \(text.count)")
print("Does it start with 'Swift'? \(text.hasPrefix("Swift"))")
print("Does it end with 'Programming'? \(text.hasSuffix("Programming"))")
Output:
data:image/s3,"s3://crabby-images/e6128/e61289ed1dfc3a5751c051ecea810f320b0cb9c5" alt="Output to Example for String Properties and Methods in Swift"
Iterating Over Characters
You can iterate over the characters in a string:
File: main.swift
let word = "Swift"
for char in word {
print(char)
}
Output:
data:image/s3,"s3://crabby-images/2a1ec/2a1ec9dbee0962beb9d8200212010963b394811e" alt="Output of Swift Example for Iterating Over Characters"
Multi-line Strings
Swift supports multi-line strings using triple double quotes:
File: main.swift
let poem = """
Roses are red,
Violets are blue,
Swift is awesome,
And so are you!
"""
print(poem)
Output:
data:image/s3,"s3://crabby-images/48a21/48a21265acd89456f685678a5aa488c058dafa6c" alt="Output to Example for Multi-line Strings in Swift"