Skip to content

Commit 258eaa4

Browse files
committed
add 3rd plot type and edit fontsizes etc
1 parent 3dee8f8 commit 258eaa4

File tree

7 files changed

+115
-73
lines changed

7 files changed

+115
-73
lines changed

.github/workflows/get-metrics.py

+94-60
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,9 @@
1+
import datetime
12
import json
2-
import math
33
import os
44

55
import cartopy
6+
import matplotlib
67
import matplotlib.cm as cm
78
import matplotlib.colors as colors
89
import matplotlib.pyplot as plt
@@ -56,13 +57,55 @@ def _run_total_users_report(property_id):
5657

5758
def get_total_users(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID):
5859
metrics_dict = {}
60+
metrics_dict['Now'] = str(datetime.datetime.now())
5961
metrics_dict['Portal'] = _run_total_users_report(PORTAL_ID)
6062
metrics_dict['Foundations'] = _run_total_users_report(FOUNDATIONS_ID)
6163
metrics_dict['Cookbooks'] = _run_total_users_report(COOKBOOKS_ID)
6264
with open('portal/metrics/user_metrics.json', 'w') as outfile:
6365
json.dump(metrics_dict, outfile)
6466

6567

68+
def _run_active_users_this_year(property_id):
69+
current_year = datetime.datetime.now().year
70+
start_date = f'{current_year}-01-01'
71+
72+
request = RunReportRequest(
73+
property=f'properties/{property_id}',
74+
dimensions=[Dimension(name='date')],
75+
metrics=[Metric(name='activeUsers')],
76+
date_ranges=[DateRange(start_date=start_date, end_date='today')],
77+
)
78+
response = client.run_report(request)
79+
80+
dates = []
81+
user_counts = []
82+
for row in response.rows:
83+
date_str = row.dimension_values[0].value
84+
date = datetime.datetime.strptime(date_str, '%Y%m%d')
85+
dates.append(date)
86+
user_counts.append(int(row.metric_values[0].value))
87+
88+
return zip(*sorted(zip(dates, user_counts), key=lambda x: x[0]))
89+
90+
91+
def plot_projects_this_year(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID):
92+
portal_dates, portal_users = _run_active_users_this_year(PORTAL_ID)
93+
foundations_dates, foundations_users = _run_active_users_this_year(FOUNDATIONS_ID)
94+
cookbooks_dates, cookbooks_users = _run_active_users_this_year(COOKBOOKS_ID)
95+
96+
plt.figure(figsize=(10, 5.5))
97+
plt.title('Year-to-Date Pythia Active Users', fontsize=15)
98+
99+
plt.plot(portal_dates, portal_users, color='purple', label='Portal')
100+
plt.plot(foundations_dates, foundations_users, color='royalblue', label='Foundations')
101+
plt.plot(cookbooks_dates, cookbooks_users, color='indianred', label='Cookbooks')
102+
103+
plt.legend(fontsize=12, loc='upper right')
104+
105+
plt.xlabel('Date', fontsize=12)
106+
plt.savefig('portal/metrics/thisyear.png', bbox_inches='tight')
107+
108+
66109
def _run_top_pages_report(property_id):
67110
request = RunReportRequest(
68111
property=f'properties/{property_id}',
@@ -72,72 +115,56 @@ def _run_top_pages_report(property_id):
72115
)
73116
response = client.run_report(request)
74117

75-
page_views = {}
118+
views_dict = {}
76119
for row in response.rows:
77120
page = row.dimension_values[0].value
78121
views = int(row.metric_values[0].value)
79-
page_views[page] = views
80-
81-
top_10_pages = sorted(page_views.items(), key=lambda item: item[1], reverse=True)[:10]
82-
return {page: views for page, views in top_10_pages}
83-
84-
85-
def plot_top_pages(portal_id, foundations_id, cookbooks_id):
86-
portal_page_views = _run_top_pages_report(portal_id)
87-
portal_pages = []
88-
portal_sorted = {k: v for k, v in sorted(portal_page_views.items(), key=lambda item: item[1])}
89-
portal_views = portal_sorted.values()
90-
for key in portal_sorted:
91-
newkey = key.split('—')[0]
92-
portal_pages.append(newkey)
93-
94-
foundations_page_views = _run_top_pages_report(foundations_id)
95-
foundations_pages = []
96-
foundations_sorted = {k: v for k, v in sorted(foundations_page_views.items(), key=lambda item: item[1])}
97-
foundations_views = foundations_sorted.values()
98-
for key in foundations_sorted:
99-
newkey = key.split('—')[0]
100-
foundations_pages.append(newkey)
101-
102-
cookbooks_page_views = _run_top_pages_report(cookbooks_id)
103-
cookbooks_pages = []
104-
cookbooks_sorted = {k: v for k, v in sorted(cookbooks_page_views.items(), key=lambda item: item[1])}
105-
cookbooks_views = cookbooks_sorted.values()
106-
for key in cookbooks_page_views:
107-
newkey = key.split('—')[0]
108-
cookbooks_pages.insert(0, newkey)
122+
views_dict[page] = views
109123

110-
pages = cookbooks_pages + foundations_pages + portal_pages
124+
top_pages = sorted(views_dict.items(), key=lambda item: item[1], reverse=True)[:5]
125+
pages = [page.split('—')[0] for page, _ in top_pages]
126+
views = [views for _, views in top_pages]
127+
128+
return pages[::-1], views[::-1]
111129

112-
fig, ax = plt.subplots(figsize=(10, 8))
113-
plt.title('All-Time Top Pages')
114130

115-
views_max = int(math.ceil(max(portal_views) / 10000.0)) * 10000
116-
ax.set_xlim([0, views_max])
131+
def plot_top_pages(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID):
132+
portal_pages, portal_views = _run_top_pages_report(PORTAL_ID)
133+
foundations_pages, foundations_views = _run_top_pages_report(FOUNDATIONS_ID)
134+
cookbooks_pages, cookbooks_views = _run_top_pages_report(COOKBOOKS_ID)
117135

118-
y = np.arange(10)
119-
y2 = np.arange(11, 21)
120-
y3 = np.arange(22, 32)
136+
pages = cookbooks_pages + foundations_pages + portal_pages
137+
138+
fig, ax = plt.subplots(figsize=(10, 5.5))
139+
plt.title('All-Time Top Pages', fontsize=15)
140+
141+
y = np.arange(5)
142+
y2 = np.arange(6, 11)
143+
y3 = np.arange(12, 17)
121144
y4 = np.append(y, y2)
122145
y4 = np.append(y4, y3)
123146

124147
bar1 = ax.barh(y3, portal_views, align='center', label='Portal', color='purple')
125148
bar2 = ax.barh(y2, foundations_views, align='center', label='Foundations', color='royalblue')
126149
bar3 = ax.barh(y, cookbooks_views, align='center', label='Cookbooks', color='indianred')
127150

128-
ax.set_yticks(y4, labels=pages)
151+
ax.set_yticks(y4, labels=pages, fontsize=12)
152+
153+
ax.bar_label(bar1, fmt=_format_rounding, padding=5, fontsize=10)
154+
ax.bar_label(bar2, fmt=_format_rounding, padding=5, fontsize=10)
155+
ax.bar_label(bar3, fmt=_format_rounding, padding=5, fontsize=10)
129156

130-
ax.bar_label(bar1, fmt=_format_rounding)
131-
ax.bar_label(bar2, fmt=_format_rounding)
132-
ax.bar_label(bar3, fmt=_format_rounding)
157+
ax.set_xscale('log')
158+
ax.set_xlim([10, 10**5])
159+
ax.set_xlabel('Page Views', fontsize=12)
133160

134-
plt.legend()
161+
plt.legend(fontsize=12, loc='lower right')
135162
plt.savefig('portal/metrics/toppages.png', bbox_inches='tight')
136163

137164

138-
def _run_usersXcountry_report(foundations_id):
165+
def _run_usersXcountry_report(property_id):
139166
request = RunReportRequest(
140-
property=f'properties/{foundations_id}',
167+
property=f'properties/{property_id}',
141168
dimensions=[Dimension(name='country')],
142169
metrics=[Metric(name='activeUsers')],
143170
date_ranges=[DateRange(start_date='2020-03-31', end_date='today')],
@@ -153,8 +180,8 @@ def _run_usersXcountry_report(foundations_id):
153180
return user_by_country
154181

155182

156-
def plot_usersXcountry(foundations_id):
157-
users_by_country = _run_usersXcountry_report(foundations_id)
183+
def plot_usersXcountry(FOUNDATIONS_ID):
184+
users_by_country = _run_usersXcountry_report(FOUNDATIONS_ID)
158185

159186
dict_api2cartopy = {
160187
'Tanzania': 'United Republic of Tanzania',
@@ -178,42 +205,49 @@ def plot_usersXcountry(foundations_id):
178205

179206
fig = plt.figure(figsize=(10, 4))
180207
ax = plt.axes(projection=cartopy.crs.PlateCarree(), frameon=False)
181-
ax.set_title('Pythia Foundations Unique Users by Country')
208+
ax.set_title('Pythia Foundations Users by Country', fontsize=15)
182209

183210
shapefile = cartopy.io.shapereader.natural_earth(category='cultural', resolution='110m', name='admin_0_countries')
184211
reader = cartopy.io.shapereader.Reader(shapefile)
185212
countries = reader.records()
186213

187214
colormap = plt.get_cmap('Blues')
188-
colormap.set_extremes(under='grey')
189-
vmax = int(math.ceil(max(users_by_country.values()) / 100.0)) * 100
190-
norm = colors.LogNorm(vmin=1, vmax=vmax)
191-
mappable = cm.ScalarMappable(norm=norm, cmap=colormap)
215+
newcmp = colors.ListedColormap(colormap(np.linspace(0.2, 1, 128)))
216+
newcmp.set_extremes(under='grey')
217+
218+
norm = colors.LogNorm(vmin=1, vmax=max(users_by_country.values()))
219+
mappable = cm.ScalarMappable(norm=norm, cmap=newcmp)
192220

193221
for country in countries:
194222
country_name = country.attributes['SOVEREIGNT']
195223
if country_name in users_by_country.keys():
196-
facecolor = colormap((users_by_country[country_name] / 105))
197-
224+
facecolor = newcmp(norm(users_by_country[country_name]))
198225
ax.add_geometries(
199-
[country.geometry], cartopy.crs.PlateCarree(), facecolor=facecolor, edgecolor='white', linewidth=0.7
226+
[country.geometry],
227+
cartopy.crs.PlateCarree(),
228+
facecolor=facecolor,
229+
edgecolor='white',
230+
linewidth=0.7,
231+
norm=matplotlib.colors.LogNorm(),
200232
)
201233
else:
202234
ax.add_geometries(
203235
[country.geometry], cartopy.crs.PlateCarree(), facecolor='grey', edgecolor='white', linewidth=0.7
204236
)
205237

206238
cax = fig.add_axes([0.1, -0.015, 0.67, 0.03])
207-
fig.colorbar(mappable=mappable, cax=cax, spacing='uniform', orientation='horizontal', extend='min')
239+
cbar = fig.colorbar(mappable=mappable, cax=cax, spacing='uniform', orientation='horizontal', extend='min')
240+
cbar.set_label('Unique Users')
208241

209242
props = dict(boxstyle='round', facecolor='white', edgecolor='white')
210-
ax.text(1.01, 0.5, top_10_text, transform=ax.transAxes, fontsize=9, verticalalignment='center', bbox=props)
243+
ax.text(1.01, 0.5, top_10_text, transform=ax.transAxes, fontsize=12, verticalalignment='center', bbox=props)
211244

212245
plt.tight_layout()
213246
plt.savefig('portal/metrics/bycountry.png', bbox_inches='tight')
214247

215248

216249
if __name__ == '__main__':
217250
get_total_users(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID)
251+
plot_projects_this_year(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID)
218252
plot_top_pages(PORTAL_ID, FOUNDATIONS_ID, COOKBOOKS_ID)
219-
plot_usersXcountry(str(FOUNDATIONS_ID))
253+
plot_usersXcountry(FOUNDATIONS_ID)

.github/workflows/write-metrics-md.py

+12-8
Original file line numberDiff line numberDiff line change
@@ -1,16 +1,18 @@
1-
import datetime
21
import json
32

43

5-
def process_user_data(json_file, top_pages, map, md_file):
4+
def process_user_data(json_file, top_pages, this_year, map, md_file):
65
with open(json_file, 'r') as f:
76
user_data = json.load(f)
87

98
with open(md_file, 'w') as f:
109
f.write('# Metrics \n\n')
11-
f.write(f'Last Updated: {datetime.datetime.now()}\n\n')
10+
now = user_data['Now']
11+
f.write(f'Last Updated: {now}')
12+
user_data.pop('Now')
13+
f.write('\n\n')
1214

13-
headers = '| Project | Views |'
15+
headers = '| Project | Users |'
1416
separator = '| ' + ' | '.join(['-----'] * 2) + ' |'
1517
rows = []
1618
for key in user_data.keys():
@@ -19,15 +21,17 @@ def process_user_data(json_file, top_pages, map, md_file):
1921
f.write(table)
2022
f.write('\n\n')
2123

22-
f.write(f'![Top Pages]({top_pages})')
23-
f.write(f'![Users by Country]({map})')
24-
f.write('\n')
24+
f.write(f'![Top Pages]({top_pages})\n\n')
25+
f.write(f'![Users this Year]({this_year})\n\n')
26+
f.write(f'![Users by Country]({map})\n\n')
27+
2528
f.close()
2629

2730

2831
if __name__ == '__main__':
2932
json_file = 'portal/metrics/user_metrics.json'
3033
top_pages = 'metrics/toppages.png'
34+
this_year = 'metrics/thisyear.png'
3135
map = 'metrics/bycountry.png'
3236
md_file = 'portal/metrics.md'
33-
process_user_data(json_file, top_pages, map, md_file)
37+
process_user_data(json_file, top_pages, this_year, map, md_file)

portal/metrics.md

+8-4
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,15 @@
11
# Metrics
22

3-
Last Updated: 2024-03-19 09:15:00.008673
3+
Last Updated: 2024-03-19 15:46:22.786326
44

5-
| Project | Views |
5+
| Project | Users |
66
| ----- | ----- |
77
| Portal | 12.3K |
8-
| Foundations | 47.0K |
8+
| Foundations | 47.1K |
99
| Cookbooks | 6.2K |
1010

11-
![Top Pages](metrics/toppages.png)![Users by Country](metrics/bycountry.png)
11+
![Top Pages](metrics/toppages.png)
12+
13+
![Users this Year](metrics/thisyear.png)
14+
15+
![Users by Country](metrics/bycountry.png)

portal/metrics/bycountry.png

13 KB
Loading

portal/metrics/thisyear.png

85.7 KB
Loading

portal/metrics/toppages.png

-33.6 KB
Loading

portal/metrics/user_metrics.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1 +1 @@
1-
{"Portal": "12.3K", "Foundations": "47.0K", "Cookbooks": "6.2K"}
1+
{"Now": "2024-03-19 15:46:22.786326", "Portal": "12.3K", "Foundations": "47.1K", "Cookbooks": "6.2K"}

0 commit comments

Comments
 (0)