Skip to content

Commit 99b17e0

Browse files
committed
feat(printing): add printer status table
Closes #1728
1 parent 5ff2d9e commit 99b17e0

File tree

7 files changed

+110
-25
lines changed

7 files changed

+110
-25
lines changed

intranet/apps/printing/forms.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,7 @@ def __init__(self, *args, **kwargs):
1818
super().__init__(*args, **kwargs)
1919

2020
if printers:
21-
self.fields["printer"].choices = [("", "Select a printer...")] + list(printers.items())
21+
self.fields["printer"].choices = [("", "Select a printer...")] + [(printer, desc) for printer, (desc, alerts) in printers.items()]
2222

2323
def validate_size(self):
2424
filesize = self.file.__sizeof__()

intranet/apps/printing/views.py

+54-14
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,12 @@
1+
import datetime
12
import logging
23
import math
34
import os
45
import re
56
import subprocess
67
import tempfile
78
from io import BytesIO
8-
from typing import Dict, Optional
9+
from typing import Dict, Tuple, Optional
910

1011
import magic
1112
from django.conf import settings
@@ -62,6 +63,29 @@ def set_user_ratelimit_status(username: str) -> None:
6263
cache.incr(cache_key)
6364

6465

66+
def parse_alerts(alerts: str) -> Tuple[str, bool]:
67+
known_alerts = {
68+
"paused": "unavailable",
69+
"media-empty-error": "out of paper",
70+
"media-empty-warning": "out of paper",
71+
"media-jam-error": "jammed",
72+
"media-jam-warning": "jammed",
73+
"none": "working",
74+
}
75+
alerts = alerts.split()
76+
alerts_text = ", ".join(known_alerts.get(alert, "error") for alert in alerts)
77+
error_alerts = ["paused"]
78+
broken_alerts = ["media-empty-error", "media-empty-warning", "media-jam-error", "media-jam-warning"]
79+
printer_class = "working"
80+
for alert in alerts:
81+
if alert in error_alerts or alert not in known_alerts:
82+
printer_class = "error"
83+
break
84+
if alert in broken_alerts:
85+
printer_class = "broken"
86+
return alerts_text, printer_class
87+
88+
6589
def get_printers() -> Dict[str, str]:
6690
"""Returns a dictionary mapping name:description for available printers.
6791
@@ -86,8 +110,9 @@ def get_printers() -> Dict[str, str]:
86110
except (subprocess.CalledProcessError, subprocess.TimeoutExpired):
87111
return []
88112

89-
PRINTER_LINE_RE = re.compile(r"^printer\s+(\w+)\s+(?!disabled)", re.ASCII)
113+
PRINTER_LINE_RE = re.compile(r"^printer\s+(\w+)", re.ASCII)
90114
DESCRIPTION_LINE_RE = re.compile(r"^\s+Description:\s+(.*)\s*$", re.ASCII)
115+
ALERTS_LINE_RE = re.compile(r"^\s+Alerts:\s+(.*)\s*$", re.ASCII)
91116

92117
printers = {}
93118
last_name = None
@@ -98,19 +123,23 @@ def get_printers() -> Dict[str, str]:
98123
name = match.group(1)
99124
if name != "Please_Select_a_Printer":
100125
# By default, use the name of the printer instead of the description
101-
printers[name] = name
126+
printers[name] = [name]
102127
# Record the name of the printer so when we parse the rest of the
103128
# extended description we know which printer it's referring to.
104129
last_name = name
105-
elif last_name is not None:
106-
match = DESCRIPTION_LINE_RE.match(line)
107-
if match is not None:
108-
# Pull out the description
109-
description = match.group(1)
110-
# And make sure we don't set an empty description
111-
if description:
112-
printers[last_name] = description
113-
last_name = None
130+
elif last_name is not None:
131+
description_match = DESCRIPTION_LINE_RE.match(line)
132+
if description_match is not None:
133+
# Pull out the description
134+
description = description_match.group(1)
135+
# And make sure we don't set an empty description
136+
if description:
137+
printers[last_name] = [description]
138+
alerts_match = ALERTS_LINE_RE.match(line)
139+
if alerts_match is not None:
140+
alerts = alerts_match.group(1)
141+
printers[last_name].append(alerts)
142+
last_name = None
114143

115144
cache.set(key, printers, timeout=settings.CACHE_AGE["printers_list"])
116145
return printers
@@ -300,8 +329,11 @@ def html_to_pdf(template_src, filename, context=None):
300329

301330
def print_job(obj: PrintJob, do_print: bool = True):
302331
printer = obj.printer
303-
if printer not in get_printers().keys():
332+
all_printers = get_printers()
333+
if printer not in all_printers:
304334
raise Exception("Printer not authorized.")
335+
if parse_alerts(all_printers[printer][1])[1] == "error":
336+
raise Exception("Printer unavailable.")
305337

306338
if not obj.file:
307339
raise InvalidInputPrintingError("No file given to print.")
@@ -467,6 +499,9 @@ def print_view(request):
467499
messages.error(request, "You don't have printer access outside of the TJ network.")
468500
return redirect("index")
469501

502+
if request.method == "GET" and "refresh" in request.GET and request.user.is_printing_admin:
503+
cache.delete("printing:printers")
504+
470505
printers = get_printers()
471506
if request.method == "POST":
472507
form = PrintJobForm(request.POST, request.FILES, printers=printers)
@@ -494,5 +529,10 @@ def print_view(request):
494529
)
495530
else:
496531
form = PrintJobForm(printers=printers)
497-
context = {"form": form}
532+
alerts = {}
533+
for printer in printers:
534+
alerts[printer] = parse_alerts(printers[printer][1])
535+
elapsed_seconds = settings.CACHE_AGE["printers_list"] - cache.ttl("printing:printers")
536+
start_time = datetime.datetime.now() - datetime.timedelta(seconds=elapsed_seconds)
537+
context = {"form": form, "alerts": alerts, "updated_time": start_time.strftime("%-I:%M:%S %p")}
498538
return render(request, "printing/print.html", context)

intranet/settings/__init__.py

+1
Original file line numberDiff line numberDiff line change
@@ -340,6 +340,7 @@
340340
"schedule.widget",
341341
"dashboard.widgets",
342342
"profile",
343+
"printing",
343344
"polls",
344345
"groups",
345346
"board",

intranet/static/css/printing.scss

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
.primary-content .selectize-control {
2+
height: 42px;
3+
}
4+
5+
.primary-content tr th,
6+
.primary-content tr td {
7+
padding: 5px;
8+
}
9+
10+
.primary-content form {
11+
float: left;
12+
width: 60%;
13+
}
14+
15+
.print-status-container {
16+
float: left;
17+
padding: 10px;
18+
}
19+
20+
.printer-status {
21+
text-align: center;
22+
min-width: 200px;
23+
margin: 15px;
24+
padding: 15px;
25+
border: 3px solid #888;
26+
}
27+
28+
.working {
29+
background-color: #6BFF6B;
30+
}
31+
32+
.broken {
33+
background-color: yellow;
34+
}
35+
36+
.error {
37+
background-color: #FF9E9E;
38+
}

intranet/templates/dashboard/links.html

+1
Original file line numberDiff line numberDiff line change
@@ -25,6 +25,7 @@ <h5 class="link-heading">Tutorials</h5>
2525
<a href="https://guides.tjhsst.edu/webmail/forwarding-email">TJ Email Forwarding</a><br>
2626
<a href="https://guides.tjhsst.edu/research/mathematica">Mathematica</a><br>
2727
<a href="https://www.fcps.edu/resources/technology/bring-your-own-device-byod/bring-your-own-device-byod-configuration-guides">Wi-Fi FAQ</a><br>
28+
<a href="https://guides.tjhsst.edu/library/library-printing">Library Printing Guide</a><br>
2829
</td>
2930
<td style="width: 50%">
3031
<h5 class="link-heading">TJ Resources</h5>

intranet/templates/printing/print.html

+5-10
Original file line numberDiff line numberDiff line change
@@ -9,16 +9,7 @@
99
{% block css %}
1010
{{ block.super }}
1111
<link rel="stylesheet" href="{% static 'vendor/selectize.js-0.12.4/dist/css/selectize.default.css' %}">
12-
<style>
13-
.primary-content .selectize-control {
14-
height: 42px;
15-
}
16-
17-
.primary-content tr th,
18-
.primary-content tr td {
19-
padding: 5px;
20-
}
21-
</style>
12+
{% stylesheet 'printing' %}
2213
{% endblock %}
2314

2415
{% block js %}
@@ -45,5 +36,9 @@ <h2>Printing</h2>
4536
<br>
4637
{% include "printing/print_form.html" %}
4738

39+
<div class="print-status-container">
40+
{% include "printing/print_status.html" %}
41+
</div>
42+
4843
</div>
4944
{% endblock %}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,10 @@
1+
<h2>Printer status:</h2>
2+
{% for printer, alert in alerts.items %}
3+
<div class="printer-status {{ alert.1 }}">
4+
{{ printer }}: {{ alert.0 }}
5+
</div>
6+
{% endfor %}
7+
Updated at: {{ updated_time }}
8+
{% if user.is_printing_admin %}
9+
(<a href="?refresh">Update</a>)
10+
{% endif %}

0 commit comments

Comments
 (0)