I intend to send message to many numbers, but this is my code and issue (code is made shorter and required lines are here):
JavaScript
x
9
1
msg = 'test message'
2
phone_numbers = ['+989111111111', '+989111111112', '+989111111113', '+989111111114']
3
hours = range(0, 25)
4
minutes = range(0, 60)
5
for phone_number in phone_numbers:
6
for hour in hours:
7
for minute in minutes:
8
sndmsg(phone_number, msg, hour, minute)
9
I know my way is incorrect, because this is the output but I’m not sure how to solve this. Googling this did not help me.
Output:
JavaScript
1
8
1
test message to +989111111111 will be sent on 0 0
2
test message to +989111111111 will be sent on 0 1
3
test message to +989111111111 will be sent on 0 2
4
5
test message to +989111111112 will be sent on 0 0
6
test message to +989111111112 will be sent on 0 1
7
test message to +989111111112 will be sent on 0 2
8
My desired output would be like:
JavaScript
1
4
1
test message to +989111111111 will be sent on 0 0
2
test message to +989111111112 will be sent on 0 1
3
test message to +989111111113 will be sent on 0 3
4
I want to send the message to each number in each minute like the above output, how may I reach this?
Advertisement
Answer
Try using a generator for the hours and minutes and zip with the phone number:
JavaScript
1
14
14
1
msg = 'test message'
2
phone_numbers = ['+989111111111', '+989111111112', '+989111111113', '+989111111114']
3
4
def gen_hour_min():
5
hours = range(0, 25)
6
for hour in hours:
7
minutes = range(0, 60)
8
for minute in minutes:
9
yield hour, minute
10
11
for phone_number, hour_min in zip(phone_numbers, gen_hour_min()):
12
hour, minute = hour_min
13
print(phone_number, hour, minute)
14