In [1]:
# Creating a string
my_string = "Hello, World!"
print(my_string)
Hello, World!
In [2]:
# String concatenation
greeting = "Hello"
name = "Alice"
message = greeting + ", " + name + "!"
print(message)
Hello, Alice!
In [3]:
# String slicing
print(my_string[0:5])
Hello
In [4]:
# Extracting a substring
substring = my_string[7:12]
print(substring)
World
In [5]:
# Finding the index of a substring
index = my_string.find("World")
print(index)
7
In [6]:
# Converting to uppercase
upper_string = my_string.upper()
print(upper_string)
HELLO, WORLD!
In [7]:
# Converting to lowercase
lower_string = my_string.lower()
print(lower_string)
hello, world!
In [8]:
# Capitalizing the first letter
capitalized_string = my_string.capitalize()
print(capitalized_string)
Hello, world!
In [9]:
# Replacing a substring
new_string = my_string.replace("World", "Python")
print(new_string)
Hello, Python!
In [10]:
#Length: Getting the length of a string
length = len(my_string)
print(length)
13
In [11]:
#Strip: Removing leading and trailing whitespace
stripped = " Hello ".strip()
print(stripped)
Hello
In [12]:
# Lstrip: Removing leading whitespace
lstripped = " Hello ".lstrip()
print(lstripped)
Hello
In [13]:
# Rstrip: Removing trailing whitespace
rstripped = " Hello ".rstrip()
print(rstripped)
Hello
In [14]:
# Split: Splitting a string into a list.
split = "Hello World".split()
print(split)
[''''''''''''''''Hello'''''''''''''''', ''''''''''''''''World'''''''''''''''']
In [15]:
# Join: Joining a list into a string.
joined = " ".join(["Hello", "World"])
print(joined)
Hello World
In [16]:
# Count: Counting occurrences of a substring.
count = "Hello World".count("l")
print(count)
3