-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathchore_assignment.py
98 lines (72 loc) · 2.86 KB
/
chore_assignment.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
87
88
89
90
91
92
93
94
95
96
97
98
#! /usr/bin/env python3
# chore_assignment.py - randomly assigns predefined chores and notifies via email
import random
import smtplib
from os import environ
def allocate_chores(chores, emails):
"""
Allocates chores randomly to the various emails
:param list chores: list of chores
:param list emails: list of participants' emails
"""
chore_assignments = dict()
for email in email_generator(emails=emails):
if not chores:
break
chore_assignment = random.choice(chores)
chores.remove(chore_assignment)
chore_assignments.setdefault(email, [])
chore_assignments[email].append(chore_assignment)
return chore_assignments
def email_generator(emails):
"""
Shuffles the emails, then after iterating through the entire list,
shuffles the emails again.
This results in a somewhat random allocation while keeping the quantity
of chores assigned to each individual consistent.
:param list emails: list of participants' emails
"""
while True:
random.shuffle(emails)
yield from emails
def email_assigned_chores(chore_assignments):
"""
Emails each participant with the list of assigned chores
:param dict chore_assignments: structure that holds all of the allocated chores
in the form {email: [chores]}
"""
email = environ.get('AUTO_EMAIL')
password = environ.get('EMAIL_CREDENTIALS')
smtp = smtplib.SMTP('smtp.gmail.com', 587)
smtp.ehlo()
smtp.starttls()
smtp.login(email, password)
for recipient, chores in chore_assignments.items():
message = f'To: {recipient}' \
f'\nSubject: Chore Assignments' \
f'\nGreetings,' \
f'\n\nYour assigned chores are: {format_chores(chores=chores)}.'
sendmail_status = smtp.sendmail(email, recipient, message)
if sendmail_status != {}:
print(f'There was a problem sending an email to {recipient} - {sendmail_status}')
smtp.quit()
def format_chores(chores):
"""
Formats the chores to properly utilize the Oxford comma
:param list chores: list of chores
"""
if len(chores) == 1:
return f'{chores[0]}'
elif len(chores) == 2:
return f'{chores[0]} and {chores[1]}'
else:
chores[-1] = 'and ' + chores[-1]
return f"{', '.join(chores)}"
if __name__ == '__main__':
chore_list = ['wash dishes', 'clean bathroom', 'vacuum', 'walk the dog',
'take out the trash', 'take out the recycling', 'get the mail',
'clean the fish tank', 'cook dinner', 'set the table']
email_list = ['[email protected]', '[email protected]',
assignments = allocate_chores(chores=chore_list, emails=email_list)
email_assigned_chores(chore_assignments=assignments)