-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path02.Python_generators.py
72 lines (50 loc) · 1.39 KB
/
02.Python_generators.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
# Python Generators
# Let's take an example:
def generator_loop(x):
for i in range(x):
yield i
x = 4
gen = generator_loop(x)
# print(gen)
# print(hasattr(gen, "__iter__"))
# print(hasattr(gen, "__next__"))
# print(next(gen))
# print(next(gen))
# print(next(gen))
# print(next(gen))
# As discussed before if "next()" is used beyond the last value in the
# iteration, "StopIteration" exception is raised:
# print(next(gen))
# Or we can use a "for" loop:
# for j in gen:
# print(j)
# We can store the generator values in an iterable such as list, tuples,
# set, etc.
# gen_values = list(gen)
# gen_values = set(gen)
gen_values = tuple(gen)
# print(gen_values)
# More than one "yield" statement can be used in a single generator:
def generator_yield():
yield "This"
yield "is"
yield "Pyhton"
# for num in generator_yield():
# print(num)
# Another way to create a generator is to use round brackets, with a list
# comprehension expression, as discussed before in list comprehension, to
# create a tuple we use the "tuple()", while "()" are used to create a
# generator object:
my_gen = (num for num in range(5))
# print(my_gen)
# Then using "list()" or "for" loop to get the values:
numbers = list(my_gen)
# print(numbers)
# An important note:
def after_yeild():
yield "This"
yield "is"
yield "Pyhton"
print("stop")
for line in after_yeild():
print(line)