String WK Flashcards
String WK answers full
- What will be the output of following code-
str=”hello”
str[:2]
“he”
💡 Question: What will be the output?
str = ‘Hello’
res = ‘’
for i in range(len(str)):
res = res + str[i]
print(res)
✅ Answer: “Hello” (Each character is added to res and printed)
💡 Question: What is the output?
s = ‘Hi!’
s1 = ‘Hello’
s2 = s[:2] + s1[len(s1) - 2:]
print(s2)
✅ Answer: “Hilo”
s[:2] → “Hi”
s1[len(s1)-2:] → “lo”
Final output: “Hilo”
💡 Question: What will ‘ba’ + ‘na’ * 2 output?
✅ Answer: “banana”
💡 Question: What will be printed?
s = ‘Hello’
for i in s:
print(i, end=’#’)
H#e#l#l#o#
💡 Question: What will be the output?
a = ‘hello’
b = ‘virat’
for i in range(len(a)):
print(a[i], b[i])
h v
e i
l r
l a
o t
a = ‘hello’
b = ‘virat’
for i in range(len(a)):
print(a[i].upper(), b[i])
H v
E i
L r
L a
O t
str1 = “PYTHON PROGRAMMING”
print(str1[1:4], str1[:5], str1[4:], str1[0:-1], str1[:-1])
YTH PYTH ON PROGRAMMING PYTHON PROGRAMMIN PYTHON PROGRAMMIN
s = “learning is fun”
n = len(s)
m = ‘ ‘
for i in range(0, n):
if (s[i] >= ‘a’ and s[i] <= ‘m’):
m = m + s[i].upper()
elif (s[i] >= ‘n’ and s[i] <= ‘z’):
m = m + s[i - 1]
elif (s[i].isupper()):
m = m + s[i].lower()
else:
m = m + ‘#’
print(m)
LEAarIiG#Ii#Ffu
str =’Hello Python’
print(str)
print(str[0])
print(str[2:8])
print(str[3:])
print(str * 3)
print(str + “String”)
Hello Python
H
llo Py
lo Python
Hello PythonHello PythonHello Python
Hello PythonString
str = “Python Program123”
for i in range(len(str)):
if str[i].isalpha():
print(str[i-1], end=’’)
if str[i].isdigit():
print(str[i], end=’’)
3Pytho Progra123
💡 Question: How do you count vowels in a string?
vowels = “AEIOUaeiou”
s = input(“Enter a string: “)
count = sum(1 for ch in s if ch in vowels)
print(“Number of vowels:”, count)
💡 Question: How do you replace spaces with dashes in a string?
s = input(“Enter a string: “)
print(s.replace(“ “, “-“))
💡 Question: How do you count words and characters in a string?
s = input(“Enter a string: “)
words = len(s.split())
characters = len(s)
print(“Words:”, words, “Characters:”, characters)
💡 Question: How do you check if a string is a palindrome?
s = input(“Enter a string: “)
if s == s[::-1]:
print(“Palindrome”)
else:
print(“Not a palindrome”)
💡 Question: How do you convert uppercase to lowercase and vice versa in a string?
s = input(“Enter a string: “)
print(s.swapcase())