This repository was archived by the owner on Dec 26, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathturnipSummaryImage.py
229 lines (216 loc) · 10.4 KB
/
turnipSummaryImage.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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
"""
This python script is responsible for creating images for
a user's Turnip Summary and then uploading to AWS S3.
"""
from PIL import Image, ImageDraw, ImageFont
import boto3
import botocore.config as bcc
from boto3.s3.transfer import S3Transfer
import botocore.exceptions as be
import datetime
import os
import matplotlib
import matplotlib.pyplot as plt
import matplotlib.patches as mpatches
import matplotlib.font_manager as fm
import errors
from dotenv import load_dotenv
load_dotenv(".env")
# Initiate session
# Config to limit retry attempts
boto3Config = bcc.Config(connect_timeout=5, read_timeout=60, retries={'max_attempts': 1})
session = boto3.session.Session()
client = session.client('s3', region_name=os.environ.get("S3_region_name"),
endpoint_url=os.environ.get("endpoint_url"),
aws_access_key_id=os.environ.get("S3_access_key_id"),
aws_secret_access_key=os.environ.get("S3_secret_access_key"),
config=boto3Config)
transfer = S3Transfer(client)
# Colour and Font constants
font = ImageFont.truetype("files/RobotoRegular.ttf", size=20)
subHeadingFont = ImageFont.truetype("files/RobotoRegular.ttf", size=20)
headingFont = ImageFont.truetype("files/RobotoBold.ttf", size=24)
percentFont = ImageFont.truetype("files/RobotoRegular.ttf", size=18)
colour = '#99AAB5'
headingColour = '#FFFFFF'
subHeadingColour = '#CCD5DA'
# Constants for turnip Summary X locations
x = 21
x2 = 150
x3 = 330
# Configure constants for matplotlib
# Tells matplotlib to use different graphic engine, as we don't have a Xorg instance for it to use
matplotlib.use('Agg')
# Set colours
matplotlib.rcParams['text.color'] = colour
matplotlib.rcParams['axes.labelcolor'] = colour
matplotlib.rcParams['xtick.color'] = subHeadingColour
matplotlib.rcParams['ytick.color'] = subHeadingColour
# set font from ttf
prop = fm.FontProperties(fname="files/RobotoRegular.ttf")
matplotlib.rc('axes', edgecolor=headingColour)
basewidth = 658 # Location of where the &ages line up on the graph image
class SummaryImage:
def __init__(self, TurnipData, discordID) -> None:
"""
Constructor
:param TurnipData: dict
The turnip data
:param discordID: str
the user's Discord ID
"""
self.turnip_data = TurnipData
self.discordID = discordID
self.fileName = "{}-{}.png".format(discordID, datetime.datetime.now().strftime("%Y-%m-%d-%H-%M-%S"))
self.aws_bucket = os.environ.get("S3_bucket")
self.CDNLink = os.environ.get("CDNLink")
self.created = False
self.graphCreated = False
def createImage(self) -> None:
"""
Creates the image and saves it to temp location
:return: None
returns nothing
"""
y = 55 # Y Location
# Load in image and create draw function on image
image = Image.open('files/Template.png')
draw = ImageDraw.Draw(image)
for periods in self.turnip_data:
# for all the data we add in the dict it to the image
period = periods.replace("_", " ", 1) # remove the dash, so it looks nicer
draw.text((x, y), period, fill=headingColour, font=headingFont)
y = y + 25
draw.text((x, y), "Price(Bells)", fill=subHeadingColour, font=subHeadingFont)
draw.text((x2, y), "Likely Price(Bells)", fill=subHeadingColour, font=subHeadingFont)
draw.text((x3, y), "Chance(%)", fill=subHeadingColour, font=subHeadingFont)
y = y + 25
draw.text((x, y), self.turnip_data[periods]['price'], fill=colour, font=font)
draw.text((x2, y), self.turnip_data[periods]['likely'], fill=colour, font=font)
draw.text((x3, y), self.turnip_data[periods]['chance'], fill=colour, font=font)
y = y + 29
image.save("tempHolding/{}".format(self.fileName), optimize=True, quality=20)
image.close()
self.created = True
def createGraph(self) -> None:
"""
Creates Graph from dict
:return: None
Nothing is returned
"""
# This creates the lists with all the data to form the graph.
priceLower = []
priceUpper = []
likelyLower = []
likelyUpper = []
xAxisLabels = []
for periods in self.turnip_data:
# break up the price
if " - " in self.turnip_data[periods]['price']:
elements = (self.turnip_data[periods]['price']).split(" - ", 1)
priceLower.append(int(elements[0]))
priceUpper.append(int(elements[1]))
else: # Some done have - as they so in this case we just add the one number to both lists
priceLower.append(int(self.turnip_data[periods]['price']))
priceUpper.append(int(self.turnip_data[periods]['price']))
# Do the same again but for the likely price
if " - " in self.turnip_data[periods]['likely']:
elements = (self.turnip_data[periods]['likely']).split(" - ", 1)
likelyLower.append(int(elements[0]))
likelyUpper.append(int(elements[1]))
else:
likelyLower.append(int(self.turnip_data[periods]['likely']))
likelyUpper.append(int(self.turnip_data[periods]['likely']))
xAxisLabels.append(periods.replace("_", " ", 1)) # Add each period to a list to be used as Label for xAxis
# Matplotlib graph functions
pricePatch = mpatches.Patch(color="#CF70D3", label='Price Range')
likelyPatch = mpatches.Patch(color="#32CD32", label='Likely Price Range')
plt.subplots(facecolor='lightslategray')
plt.xticks(range(len(xAxisLabels)), xAxisLabels, rotation='vertical', fontproperties=prop)
plt.yticks(fontproperties=prop)
plt.plot(xAxisLabels, priceLower, color="#CF70D3", label='Lower Price')
plt.plot(xAxisLabels, priceUpper, color="#CF70D3", label='Upper Price')
plt.fill_between(xAxisLabels, priceLower, priceUpper, color='#CF70D3')
plt.plot(xAxisLabels, likelyLower, color="#32CD32", label='Lower Likely')
plt.plot(xAxisLabels, likelyUpper, color="#32CD32", label='Upper Likely')
plt.fill_between(xAxisLabels, likelyLower, likelyUpper, color="#32CD32")
plt.ylabel("Amount: Bells", fontproperties=prop)
plt.xlabel("Day", fontproperties=prop)
plt.legend(handles=[pricePatch, likelyPatch], bbox_to_anchor=(0., 1.02, 1., .102), loc='lower left',
ncol=2, mode="expand", borderaxespad=0., framealpha=0, prop=prop)
# Save image to temp location
plt.savefig("tempHolding/graph/{}".format(self.fileName), transparent=True, bbox_inches='tight')
# If we don't close the plt we end up with a memory hogging issue, where each request will add 3-5mb of ram used
# and won't release it after the function has ended.
plt.close()
# Uses Pillow to form final image with boarder
templateImage = Image.open('files/graphTemplate.png')
# We load in the graph image and resize it to make it fit into the middle of the template
graphImage = Image.open("tempHolding/graph/{}".format(self.fileName))
widthPercent = (basewidth / float(graphImage.size[0]))
heightSize = int((float(graphImage.size[1]) * float(widthPercent)))
graphImage = graphImage.resize((basewidth, heightSize), Image.ANTIALIAS)
newImage = templateImage.copy()
# paste graph onto template with transparency
newImage.paste(graphImage, (x, 55), graphImage)
# Add in %ages
draw = ImageDraw.Draw(newImage)
y = 31
draw.text((714, y), "Chance(%)", fill=headingColour, font=headingFont)
y = y + 34
for periods in self.turnip_data: # For each of the periods in the dict
period = periods.replace("_", " ", 1) # remove the dash, so it looks nicer
draw.text((714, y), period, fill=subHeadingColour, font=percentFont)
y = y + 23
# Add the actual %age in
draw.text((714, y), " {}".format(self.turnip_data[periods]['chance']), fill=colour, font=percentFont)
y = y + 27
newImage.save("tempHolding/Graph{}".format(self.fileName)) # Save image to temp location
self.graphCreated = True
os.remove("tempHolding/graph/{}".format(self.fileName)) # Remove the temp image from matplotlib
templateImage.close()
graphImage.close()
def uploadImage(self) -> str:
"""
Uploads image to S3 bucket
:return: str
Link to the uploaded image
"""
if not self.created:
raise errors.FileNotCreated("File Not created")
try:
# Upload files to S3
client.upload_file("tempHolding/{}".format(self.fileName),
self.aws_bucket,
"TurnipBot/predictions/{}".format(self.fileName),
ExtraArgs={'ACL': 'public-read'})
os.remove("tempHolding/{}".format(self.fileName)) # remove temp file
return "{}/TurnipBot/predictions/{}".format(self.CDNLink, self.fileName)
except be.ClientError as e:
os.remove("tempHolding/Graph{}".format(self.fileName))
raise errors.AWSError(e)
except Exception as e:
os.remove("tempHolding/Graph{}".format(self.fileName))
raise errors.AWSError(e)
def uploadGraphImage(self) -> str:
"""
Uploads Graph image to S3 bucket
:return: str
Link to the uploaded image
"""
if not self.graphCreated:
raise errors.FileNotCreated("File Not created")
try:
# Upload files to S3
client.upload_file("tempHolding/Graph{}".format(self.fileName),
self.aws_bucket,
"TurnipBot/predictions/Graph{}".format(self.fileName),
ExtraArgs={'ACL': 'public-read'})
os.remove("tempHolding/Graph{}".format(self.fileName)) # remove temp file
return "{}/TurnipBot/predictions/Graph{}".format(self.CDNLink, self.fileName)
except be.ClientError as e:
os.remove("tempHolding/Graph{}".format(self.fileName))
raise errors.AWSError(e)
except Exception as e:
os.remove("tempHolding/Graph{}".format(self.fileName))
raise errors.AWSError(e)