In [1]:
# Startswith: Checking if a string starts with a substring
starts = "Hello World".startswith("Hello")
print(starts)
True
In [2]:
# Endswith: Checking if a string ends with a substring.
ends = "Hello World".endswith("World")
In [3]:
# Title: Capitalizing the first letter of each word.
title = "hello world".title()
print(title)
Hello World
In [4]:
# Swapcase: Swapping case.
swapped = "Hello World".swapcase()
print(swapped)
hELLO wORLD
In [5]:
# Isalpha: Checking if all characters are alphabetic
is_alpha = "Hello".isalpha()
print(is_alpha)
True
In [6]:
# Isdigit: Checking if all characters are digits
is_digit = "12345".isdigit()
print(is_digit)
True
In [7]:
# Isalnum: Checking if all characters are alphanumeric
is_alnum = "Hello123".isalnum()
print(is_alnum)
True
In [8]:
# Islower: Checking if all characters are lowercase
is_lower = "hello".islower()
print(is_lower)
True
In [9]:
# Isupper: Checking if all characters are uppercase
is_upper = "HELLO".isupper()
print(is_upper)
True
In [10]:
# Isspace: Checking if all characters are whitespace
is_space = " ".isspace()
print(is_space)
True
In [11]:
# Zfill: Padding a string with zeros
zero_filled = "42".zfill(5)
print(zero_filled)
00042
In [12]:
# Center: Centering a string.
centered = "Hello".center(10)
print(centered)
Hello
In [13]:
# Ljust: Left-justifying a string
left_justified = "Hello".ljust(10)
print(left_justified)
Hello
In [14]:
# Rjust: Right-justifying a string
right_justified = "Hello".rjust(10)
print(right_justified)
Hello
In [15]:
# Partition: Partitioning a string
partitioned = "Hello, World".partition(", ")
print(partitioned)
(''''''''Hello'''''''', '''''''', '''''''', ''''''''World'''''''')
In [16]:
# Rpartition: Partitioning a string from the right
rpartitioned = "Hello, World".rpartition(", ")
print(rpartitioned)
(''''''''Hello'''''''', '''''''', '''''''', ''''''''World'''''''')
In [17]:
# Splitlines: Splitting a string by lines
lines = "Hello\nWorld"
split_lines = lines.splitlines()
print(split_lines)
[''''''''Hello'''''''', ''''''''World'''''''']
In [18]:
# Expandtabs: Expanding tabs
expanded = "Hello\tWorld".expandtabs(4)
print(expanded)
Hello World
In [19]:
# Maketrans: Creating a translation table
table = str.maketrans("aeiou", "12345")
translated = "hello".translate(table)
print(translated)
h2ll4
In [20]:
# Format: Formatting a string
name = "Alice"
age = 25
formatted = "My name is {} and I am {} years old.".format(name, age)
print(formatted)
My name is Alice and I am 25 years old.
In [21]:
# Isascii: Checking if all characters are ASCII
isascii = "Hello".isascii()
print(isascii)
True
In [22]:
# Isdecimal: Checking if all characters are decimal
isdecimal = "12345".isdecimal()
print(isdecimal)
True
In [23]:
# Format_map: Formatting using a mapping
mapping = {"name": "Bob", "age": 30}
formatted_map = "My name is {name} and I am {age} years old.".format_map(mapping)
print(formatted_map)
My name is Bob and I am 30 years old.