-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathles4_using_strings.py
86 lines (86 loc) · 2.31 KB
/
les4_using_strings.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
#https://newdigitals.org/2024/01/23/basic-python-programming/#using-strings
#Assigning a single-line string to a variable
a = "Hi!"
print(a)
#Hi!
#Assigning a multi-line string to a variable
a = """Lorem ipsum dolor sit amet,
consectetur adipiscing elit,
sed do eiusmod tempor incididunt
ut labore et dolore magna aliqua."""
print(a)
#Lorem ipsum dolor sit amet,
#consectetur adipiscing elit,
#sed do eiusmod tempor incididunt
#ut labore et dolore magna aliqua.
#Loop through the letters in the word “banana”:
for x in "banana":
print(x)
#b
#a
#n
#a
#n
#a
#The len() function returns the length of a string
a = "Hello, World!"
print(len(a))
#13
#To check if a certain phrase or character is present in a string, we can use the keyword in:
txt = "The best things in life are free!"
print("free" in txt)
#True
#Check if “expensive” is NOT present in the following text
txt = "The best things in life are free!"
print("expensive" not in txt)
#True
#You can return a range of characters by using the slice syntax
b = "Hello, World!"
print(b[2:5])
#llo
#Get the characters from the start to position 5 (not included):
b = "Hello, World!"
print(b[:5])
#Hello
#Get the characters from position 2, and all the way to the end:
b = "Hello, World!"
print(b[2:])
#llo, World!
#Use negative indexes to start the slice from the end of the string:
#From: "o" in "World!" (position -5)
#To, but not included: "d" in "World!" (position -2):
b = "Hello, World!"
print(b[-5:-2])
#orl
#The upper() method returns the string in upper case:
a = "Hello, World!"
print(a.upper())
#HELLO, WORLD!
#The lower() method returns the string in lower case:
a = "Hello, World!"
print(a.lower())
#hello, world!
#The strip() method removes any whitespace from the beginning or the end:
a = " Hello, World! "
print(a.strip()) # returns "Hello, World!"
#Hello, World!
#The replace() method replaces a string with another string:
a = "Hello, World!"
print(a.replace("H", "J"))
#Jello, World!
#The split() method splits the string into substrings if it finds instances of the separator:
a = "Hello, World!"
print(a.split(",")) # returns ['Hello', ' World!']
#['Hello', ' World!']
#Merge variable a with variable b into variable c:
a = "Hello"
b = "World"
c = a + b
print(c)
#HelloWorld
#To add a space between them, add a ” “:
a = "Hello"
b = "World"
c = a + " " + b
print(c)
#Hello World