Strings Flashcards
What is the syntax for creating a multi-line string?
Use triple quotes: '''Line 1 Line 2'''
.
How to convert a string to uppercase?
s.upper()
(e.g., 'hello'.upper() → 'HELLO'
).
How to remove whitespace from the start/end of a string?
s.strip()
(e.g., ' text '.strip() → 'text'
).
How to split a string into a list using a delimiter?
s.split(delimiter)
(e.g., 'a,b,c'.split(',') → ['a','b','c']
).
What method joins a list of strings into one string?
delimiter.join(list)
(e.g., ','.join(['a','b']) → 'a,b'
).
How to replace a substring in a string?
s.replace(old, new)
(e.g., 'hello'.replace('e','a') → 'hallo'
).
How to check if a string starts with a specific substring?
s.startswith(substring)
(returns True
or False
).
How to check if a string ends with a specific substring?
s.endswith(substring)
.
What does s.find(substring)
do?
Returns the first index of substring
or -1
if not found.
What is the difference between s.find()
and s.index()
?
s.index()
raises an error if substring is missing; s.find()
returns -1
.
How to count occurrences of a substring?
s.count(substring)
(e.g., 'hello'.count('l') → 2
).
How to format a string with variables?
Use f-strings
: f'{variable}'
(e.g., f'Name: {name}'
).
What does s.isdigit()
check?
Returns True
if all characters are digits.
What does s.isalpha()
check?
Returns True
if all characters are alphabetic.
How to split a string at line breaks?
s.splitlines()
(e.g., splits 'Line1\nLine2'
into ['Line1','Line2']
).
How to check if a string is lowercase?
s.islower()
(returns True
if all characters are lowercase).
What does s.partition(separator)
return?
A tuple: (part_before, separator, part_after)
.
How to capitalize the first character of a string?
s.capitalize()
(e.g., 'python'.capitalize() → 'Python'
).
How to reverse a string?
Slice with [::-1]
: s[::-1]
(e.g., 'hello' → 'olleh'
).
What does s.title()
do?
Converts the first letter of each word to uppercase (e.g., 'hello world' → 'Hello World'
).