mirror of
https://github.com/daniviga/django-ram.git
synced 2025-08-07 14:47:49 +02:00
Compare commits
6 Commits
asset-mqtt
...
v0.17.5
Author | SHA1 | Date | |
---|---|---|---|
e9ec126ada
|
|||
1222116874
|
|||
85741f090c
|
|||
88d718fa94
|
|||
a2c857a3cd
|
|||
647894bca7
|
@@ -1,129 +0,0 @@
|
||||
# Asset telemetry monitoring
|
||||
|
||||
[!CAUTION]
|
||||
This is a PoC, not suitable for real world due to lack of any authentication and security
|
||||
|
||||
## Pre-requisites
|
||||
|
||||
- Python 3.12
|
||||
- Podman (or Docker)
|
||||
|
||||
## Architecture
|
||||
|
||||
The `dispatcher.py` script collects data (`cab` commands) from a CommandStation and sends it a MQTT broker.
|
||||
|
||||
The command being monitored is the `<l cab reg speedByte functMap>` one returned by the `<t cab speed dir>` throttle command. See the [DCC-EX command reference](https://dcc-ex.com/reference/software/command-summary-consolidated.html#t-cab-speed-dir-set-cab-loco-speed).
|
||||
|
||||
`mosquitto` is the MQTT broker.
|
||||
|
||||
The `handler.py` script subscribes to the MQTT broker and saves relevant data to the Timescale database.
|
||||
|
||||
Data is finally save into a Timescale hypertable.
|
||||
|
||||
## How to run
|
||||
|
||||
### Deploy Timescale
|
||||
|
||||
```bash
|
||||
$ podman run -d -p 5432:5432 -v $(pwd)/data:/var/lib/postgresql/data -e "POSTGRES_USER=dccmonitor" -e "POSTGRES_PASSWORD=dccmonitor" --name timescale timescale/timescaledb:latest-pg17
|
||||
```
|
||||
[!IMPORTANT]
|
||||
A volume should be created for persistent data
|
||||
|
||||
Tables and hypertables are automatically created by the `handler.py` script
|
||||
|
||||
### Deploy Mosquitto
|
||||
|
||||
```bash
|
||||
$ podman run --userns=keep-id -d -p 1883:1883 -v $(pwd)/config/mosquitto.conf:/mosquitto/config/mosquitto.conf --name mosquitto eclipse-mosquitto:2.0
|
||||
```
|
||||
|
||||
### Run the dispatcher and the handler
|
||||
|
||||
```bash
|
||||
$ python dispatcher.py
|
||||
```
|
||||
|
||||
```bash
|
||||
$ python handler.py
|
||||
```
|
||||
|
||||
## Debug data in Timescale
|
||||
|
||||
### Create a 10 secs aggregated data table
|
||||
|
||||
```sql
|
||||
CREATE MATERIALIZED VIEW telemetry_10secs
|
||||
WITH (timescaledb.continuous) AS
|
||||
SELECT
|
||||
time_bucket('10 seconds', timestamp) AS bucket,
|
||||
cab,
|
||||
ROUND(CAST(AVG(speed) AS NUMERIC), 1) AS avg_speed,
|
||||
MIN(speed) AS min_speed,
|
||||
MAX(speed) AS max_speed
|
||||
FROM telemetry
|
||||
GROUP BY bucket, cab;
|
||||
```
|
||||
|
||||
and set the update policy:
|
||||
|
||||
```sql
|
||||
SELECT add_continuous_aggregate_policy(
|
||||
'telemetry_10secs',
|
||||
start_offset => INTERVAL '1 hour', -- Go back 1 hour for updates
|
||||
end_offset => INTERVAL '1 minute', -- Keep the latest 5 min fresh
|
||||
schedule_interval => INTERVAL '1 minute' -- Run every minute
|
||||
);
|
||||
|
||||
```
|
||||
|
||||
### Running statistics from 10 seconds table
|
||||
|
||||
```sql
|
||||
WITH speed_durations AS (
|
||||
SELECT
|
||||
cab,
|
||||
avg_speed,
|
||||
max_speed,
|
||||
bucket AS start_time,
|
||||
LEAD(bucket) OVER (
|
||||
PARTITION BY cab ORDER BY bucket
|
||||
) AS end_time,
|
||||
LEAD(bucket) OVER (PARTITION BY cab ORDER BY bucket) - bucket AS duration
|
||||
FROM telemetry_10secs
|
||||
)
|
||||
SELECT * FROM speed_durations WHERE end_time IS NOT NULL;
|
||||
```
|
||||
|
||||
and filtered by `cab` number, via a function
|
||||
|
||||
```sql
|
||||
CREATE FUNCTION get_speed_durations(cab_id INT)
|
||||
RETURNS TABLE (
|
||||
cab INT,
|
||||
speed DOUBLE PRECISION,
|
||||
dir TEXT,
|
||||
start_time TIMESTAMPTZ,
|
||||
end_time TIMESTAMPTZ,
|
||||
duration INTERVAL
|
||||
)
|
||||
AS $$
|
||||
WITH speed_durations AS (
|
||||
SELECT
|
||||
cab,
|
||||
avg_speed,
|
||||
max_speed,
|
||||
bucket AS start_time,
|
||||
LEAD(bucket) OVER (
|
||||
PARTITION BY cab ORDER BY bucket
|
||||
) AS end_time,
|
||||
LEAD(bucket) OVER (PARTITION BY cab ORDER BY bucket) - bucket AS duration
|
||||
FROM telemetry_10secs
|
||||
)
|
||||
SELECT * FROM speed_durations WHERE end_time IS NOT NULL AND cab = cab_id;
|
||||
$$ LANGUAGE sql;
|
||||
|
||||
-- Refresh data
|
||||
CALL refresh_continuous_aggregate('telemetry_10secs', NULL, NULL);
|
||||
SELECT * FROM get_speed_durations(1);
|
||||
```
|
@@ -1,36 +0,0 @@
|
||||
# -*- coding: utf-8 -*-
|
||||
# vim: tabstop=2 shiftwidth=2 softtabstop=2
|
||||
networks:
|
||||
net:
|
||||
|
||||
volumes:
|
||||
pgdata:
|
||||
staticdata:
|
||||
|
||||
x-op-service-default: &service_default
|
||||
restart: always # unless-stopped
|
||||
init: true
|
||||
|
||||
services:
|
||||
timescale:
|
||||
<<: *service_default
|
||||
image: timescale/timescaledb:latest-pg17
|
||||
ports:
|
||||
- "${CUSTOM_DOCKER_IP:-0.0.0.0}:5432:5432"
|
||||
environment:
|
||||
POSTGRES_USER: "dccmonitor"
|
||||
POSTGRES_PASSWORD: "dccmonitor"
|
||||
volumes:
|
||||
- "pgdata:/var/lib/postgresql/data"
|
||||
networks:
|
||||
- net
|
||||
|
||||
broker:
|
||||
<<: *service_default
|
||||
image: eclipse-mosquitto:2.0
|
||||
ports:
|
||||
- "${CUSTOM_DOCKER_IP:-0.0.0.0}:1883:1883"
|
||||
volumes:
|
||||
- "./config/mosquitto.conf:/mosquitto/config/mosquitto.conf:ro"
|
||||
networks:
|
||||
- net
|
@@ -1,2 +0,0 @@
|
||||
allow_anonymous true
|
||||
listener 1883
|
@@ -1,107 +0,0 @@
|
||||
#!/usr/bin/env python3
|
||||
|
||||
import os
|
||||
import time
|
||||
import json
|
||||
import socket
|
||||
import logging
|
||||
import paho.mqtt.client as mqtt
|
||||
|
||||
# FIXME: create a configuration
|
||||
# TCP Socket Configuration
|
||||
TCP_HOST = "192.168.10.110" # Replace with your TCP server IP
|
||||
TCP_PORT = 2560 # Replace with your TCP server port
|
||||
|
||||
# FIXME: create a configuration
|
||||
# MQTT Broker Configuration
|
||||
MQTT_BROKER = "localhost"
|
||||
MQTT_PORT = 1883
|
||||
MQTT_TOPIC = "telemetry/commandstation"
|
||||
|
||||
# Connect to MQTT Broker
|
||||
mqtt_client = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
|
||||
|
||||
|
||||
# Connect function with automatic reconnection
|
||||
def connect_mqtt():
|
||||
while True:
|
||||
try:
|
||||
mqtt_client.connect(MQTT_BROKER, MQTT_PORT, keepalive=60)
|
||||
mqtt_client.loop_start() # Start background loop
|
||||
logging.info("Connected to MQTT broker!")
|
||||
return
|
||||
except Exception as e:
|
||||
logging.info(f"Connection failed: {e}. Retrying in 5 seconds...")
|
||||
time.sleep(5) # Wait before Retrying
|
||||
|
||||
|
||||
# Ensure connection before publishing
|
||||
def safe_publish(topic, message):
|
||||
if not mqtt_client.is_connected():
|
||||
print("MQTT Disconnected! Reconnecting...")
|
||||
connect_mqtt() # Reconnect if disconnected
|
||||
|
||||
result = mqtt_client.publish(topic, message, qos=1)
|
||||
result.wait_for_publish() # Ensure message is published
|
||||
logging.debug(f"Published: {message}")
|
||||
|
||||
|
||||
def process_message(message):
|
||||
"""Parses the '<l cab speed dir>' format and converts it to JSON."""
|
||||
if not message.startswith("<l"):
|
||||
return None
|
||||
|
||||
parts = message.strip().split() # Split by spaces
|
||||
if len(parts) != 5:
|
||||
logging.debug(f"Invalid speed command: {message}")
|
||||
return None
|
||||
|
||||
_, _cab, _, _speed, _ = parts # Ignore the first `<t`
|
||||
cab = int(_cab)
|
||||
speed = int(_speed)
|
||||
if speed > 1 and speed < 128:
|
||||
direction = "r"
|
||||
speed = speed - 1
|
||||
elif speed > 129 and speed < 256:
|
||||
direction = "f"
|
||||
speed = speed - 129
|
||||
else:
|
||||
speed = 0
|
||||
direction = "n"
|
||||
|
||||
try:
|
||||
json_data = {
|
||||
"cab": cab,
|
||||
"speed": speed,
|
||||
"dir": direction
|
||||
}
|
||||
return json_data
|
||||
except ValueError as e:
|
||||
logging.error(f"Error parsing message: {e}")
|
||||
return None
|
||||
|
||||
|
||||
def start_tcp_listener():
|
||||
"""Listens for incoming TCP messages and publishes them to MQTT."""
|
||||
with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as sock:
|
||||
sock.connect((TCP_HOST, TCP_PORT))
|
||||
logging.info(
|
||||
f"Connected to TCP server at {TCP_HOST}:{TCP_PORT}"
|
||||
)
|
||||
|
||||
while True:
|
||||
data = sock.recv(1024).decode("utf-8") # Read a chunk of data
|
||||
if not data:
|
||||
break
|
||||
|
||||
lines = data.strip().split("\n") # Handle multiple lines
|
||||
for line in lines:
|
||||
json_data = process_message(line)
|
||||
if json_data:
|
||||
safe_publish(MQTT_TOPIC, json.dumps(json_data))
|
||||
|
||||
|
||||
# Start the listener
|
||||
if __name__ == "__main__":
|
||||
logging.basicConfig(level=os.getenv("DCC_LOGLEVEL", "INFO").upper())
|
||||
start_tcp_listener()
|
@@ -1,87 +0,0 @@
|
||||
#!/usr/bin/env python3
|
||||
|
||||
import os
|
||||
import json
|
||||
import logging
|
||||
import datetime
|
||||
import psycopg2
|
||||
import paho.mqtt.client as mqtt
|
||||
|
||||
# MQTT Broker Configuration
|
||||
MQTT_BROKER = "localhost"
|
||||
MQTT_PORT = 1883
|
||||
MQTT_TOPIC = "telemetry/commandstation"
|
||||
|
||||
# TimescaleDB Configuration
|
||||
DB_HOST = "localhost"
|
||||
DB_NAME = "dccmonitor"
|
||||
DB_USER = "dccmonitor"
|
||||
DB_PASSWORD = "dccmonitor"
|
||||
|
||||
|
||||
# The callback for when the client receives a CONNACK response from the server.
|
||||
def on_connect(client, userdata, flags, reason_code, properties):
|
||||
logging.info(f"Connected with result code {reason_code}")
|
||||
# Subscribing in on_connect() means that if we lose the connection and
|
||||
# reconnect then subscriptions will be renewed.
|
||||
client.subscribe(MQTT_TOPIC)
|
||||
|
||||
|
||||
# MQTT Callback: When a new message arrives
|
||||
def on_message(client, userdata, msg):
|
||||
try:
|
||||
payload = json.loads(msg.payload.decode("utf-8"))
|
||||
cab = payload["cab"]
|
||||
speed = payload["speed"]
|
||||
direction = payload["dir"]
|
||||
timestamp = datetime.datetime.now(datetime.UTC)
|
||||
|
||||
# Insert into TimescaleDB
|
||||
cur.execute(
|
||||
"INSERT INTO telemetry (timestamp, cab, speed, dir) VALUES (%s, %s, %s, %s)", # noqa: E501
|
||||
(timestamp, cab, speed, direction),
|
||||
)
|
||||
conn.commit()
|
||||
logging.debug(
|
||||
f"Inserted: {timestamp} | Cab: {cab} | Speed: {speed} | Dir: {direction}" # noqa: E501
|
||||
)
|
||||
|
||||
except Exception as e:
|
||||
logging.error(f"Error processing message: {e}")
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
logging.basicConfig(level=os.getenv("DCC_LOGLEVEL", "INFO").upper())
|
||||
|
||||
# Connect to TimescaleDB
|
||||
conn = psycopg2.connect(
|
||||
dbname=DB_NAME, user=DB_USER, password=DB_PASSWORD, host=DB_HOST
|
||||
)
|
||||
cur = conn.cursor()
|
||||
|
||||
# Ensure hypertable exists
|
||||
cur.execute("""
|
||||
CREATE TABLE IF NOT EXISTS telemetry (
|
||||
timestamp TIMESTAMPTZ NOT NULL DEFAULT now(),
|
||||
cab INT NOT NULL,
|
||||
speed DOUBLE PRECISION NOT NULL,
|
||||
dir TEXT NOT NULL
|
||||
);
|
||||
""")
|
||||
conn.commit()
|
||||
|
||||
# Convert table to hypertable if not already
|
||||
cur.execute("SELECT EXISTS (SELECT 1 FROM timescaledb_information.hypertables WHERE hypertable_name = 'telemetry');") # noqa: E501
|
||||
if not cur.fetchone()[0]:
|
||||
cur.execute("SELECT create_hypertable('telemetry', 'timestamp');")
|
||||
conn.commit()
|
||||
|
||||
# Setup MQTT Client
|
||||
client = mqtt.Client(mqtt.CallbackAPIVersion.VERSION2)
|
||||
client.on_connect = on_connect
|
||||
client.on_message = on_message
|
||||
client.connect(MQTT_BROKER, MQTT_PORT)
|
||||
|
||||
# Start listening for messages
|
||||
logging.info(f"Listening for MQTT messages on {MQTT_TOPIC}...")
|
||||
client.loop_forever()
|
@@ -1,2 +0,0 @@
|
||||
paho-mqtt
|
||||
psycopg2-binary
|
@@ -137,6 +137,10 @@ class Catalog(BaseBook):
|
||||
ordering = ["manufacturer", "publication_year"]
|
||||
|
||||
def __str__(self):
|
||||
# if the object is new, return an empty string to avoid
|
||||
# calling self.scales.all() which would raise a infinite recursion
|
||||
if self.pk is None:
|
||||
return str() # empty string
|
||||
scales = self.get_scales()
|
||||
return "%s %s %s" % (self.manufacturer.name, self.years, scales)
|
||||
|
||||
|
@@ -28,7 +28,7 @@ class ConsistAdmin(SortableAdminBase, admin.ModelAdmin):
|
||||
"creation_time",
|
||||
"updated_time",
|
||||
)
|
||||
list_filter = ("company", "era", "published")
|
||||
list_filter = ("company__name", "era", "published")
|
||||
list_display = ("__str__",) + list_filter + ("country_flag",)
|
||||
search_fields = ("identifier",) + list_filter
|
||||
save_as = True
|
||||
|
18
ram/consist/migrations/0016_alter_consistitem_order.py
Normal file
18
ram/consist/migrations/0016_alter_consistitem_order.py
Normal file
@@ -0,0 +1,18 @@
|
||||
# Generated by Django 5.1.4 on 2025-04-27 19:53
|
||||
|
||||
from django.db import migrations, models
|
||||
|
||||
|
||||
class Migration(migrations.Migration):
|
||||
|
||||
dependencies = [
|
||||
("consist", "0015_consist_description"),
|
||||
]
|
||||
|
||||
operations = [
|
||||
migrations.AlterField(
|
||||
model_name="consistitem",
|
||||
name="order",
|
||||
field=models.PositiveIntegerField(),
|
||||
),
|
||||
]
|
@@ -39,16 +39,25 @@ class Consist(BaseModel):
|
||||
def get_absolute_url(self):
|
||||
return reverse("consist", kwargs={"uuid": self.uuid})
|
||||
|
||||
@property
|
||||
def length(self):
|
||||
return self.consist_item.count()
|
||||
|
||||
def get_type_count(self):
|
||||
return self.consist_item.annotate(
|
||||
type=models.F("rolling_stock__rolling_class__type__type")
|
||||
).values(
|
||||
"type"
|
||||
).annotate(
|
||||
count=models.Count("rolling_stock"),
|
||||
category=models.F("rolling_stock__rolling_class__type__category"),
|
||||
order=models.Max("order"),
|
||||
).order_by("order")
|
||||
|
||||
@property
|
||||
def country(self):
|
||||
return self.company.country
|
||||
|
||||
def clean(self):
|
||||
if self.consist_item.filter(rolling_stock__published=False).exists():
|
||||
raise ValidationError(
|
||||
"You must publish all items in the consist before publishing the consist." # noqa: E501
|
||||
)
|
||||
|
||||
class Meta:
|
||||
ordering = ["company", "-creation_time"]
|
||||
|
||||
@@ -58,11 +67,7 @@ class ConsistItem(models.Model):
|
||||
Consist, on_delete=models.CASCADE, related_name="consist_item"
|
||||
)
|
||||
rolling_stock = models.ForeignKey(RollingStock, on_delete=models.CASCADE)
|
||||
order = models.PositiveIntegerField(
|
||||
default=1000, # make sure it is always added at the end
|
||||
blank=False,
|
||||
null=False
|
||||
)
|
||||
order = models.PositiveIntegerField(blank=False, null=False)
|
||||
|
||||
class Meta:
|
||||
ordering = ["order"]
|
||||
@@ -76,6 +81,12 @@ class ConsistItem(models.Model):
|
||||
def __str__(self):
|
||||
return "{0}".format(self.rolling_stock)
|
||||
|
||||
def clean(self):
|
||||
if self.consist.published and not self.rolling_stock.published:
|
||||
raise ValidationError(
|
||||
"You must unpublish the the consist before using this item."
|
||||
)
|
||||
|
||||
def published(self):
|
||||
return self.rolling_stock.published
|
||||
published.boolean = True
|
||||
|
@@ -46,7 +46,10 @@
|
||||
{% endif %}
|
||||
<tr>
|
||||
<th class="w-33" scope="row">Company</th>
|
||||
<td><abbr title="{{ d.item.company.extended_name }}">{{ d.item.company }}</abbr></td>
|
||||
<td>
|
||||
<img src="{{ d.item.company.country.flag }}" alt="{{ d.item.company.country }}">
|
||||
<abbr title="{{ d.item.company.extended_name }}">{{ d.item.company }}</abbr>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<th scope="row">Era</th>
|
||||
@@ -54,7 +57,7 @@
|
||||
</tr>
|
||||
<tr>
|
||||
<th scope="row">Length</th>
|
||||
<td>{{ d.item.consist_item.count }}</td>
|
||||
<td>{{ d.item.length }}</td>
|
||||
</tr>
|
||||
</tbody>
|
||||
</table>
|
||||
|
@@ -43,6 +43,7 @@
|
||||
<tr>
|
||||
<th scope="row">Company</th>
|
||||
<td>
|
||||
<img src="{{ d.item.company.country.flag }}" alt="{{ d.item.company.country }}">
|
||||
<a href="{% url 'filtered' _filter="company" search=d.item.company.slug %}"><abbr title="{{ d.item.company.extended_name }}">{{ d.item.company }}</abbr></a>
|
||||
</td>
|
||||
</tr>
|
||||
|
@@ -109,7 +109,7 @@
|
||||
{% endif %}
|
||||
<tr>
|
||||
<th scope="row">Length</th>
|
||||
<td>{{ data | length }}</td>
|
||||
<td>{{ consist.length }}: {% for t in consist.get_type_count %}{{ t.count }}x {{ t.type }} {{t.category }}{% if not forloop.last %} + {% endif %}{% endfor %}</td>
|
||||
</tr>
|
||||
</tbody>
|
||||
</table>
|
||||
|
@@ -12,9 +12,11 @@
|
||||
<div class="container d-flex text-body-secondary">
|
||||
<p class="flex-fill small">Made with ❤️ for 🚂 and <i class="bi bi-github"></i> <a href="https://github.com/daniviga/django-ram">django-ram</a>
|
||||
{% if site_conf.show_version %}<br>Version {{ site_conf.version }}{% endif %}</p>
|
||||
<p class="text-end fs-5">
|
||||
{% if site_conf.disclaimer %}<a class="text-reset" title="Disclaimer" href="" data-bs-toggle="modal" data-bs-target="#disclaimerModal"><i class="bi bi-info-square-fill"></i></a> {% endif %}
|
||||
<a class="text-reset" title="Back to top" href="#"><i class="bi bi-arrow-up-left-square-fill"></i></a>
|
||||
<p class="text-end">
|
||||
{% if site_conf.disclaimer %}
|
||||
<a title="Disclaimer" href="" data-bs-toggle="modal" data-bs-target="#disclaimerModal"><i class="text-muted d-lg-none fs-5 bi bi-info-square-fill"></i><span class="d-none d-lg-inline small">Disclaimer</span></a><span class="d-none d-lg-inline small"> | </span>
|
||||
{% endif %}
|
||||
<a title="Back to top" href="#"><i class="text-muted d-lg-none fs-5 bi bi-arrow-up-left-square-fill"></i><span class="d-none d-lg-inline small">Back to top</span></a>
|
||||
</p>
|
||||
</div>
|
||||
<!-- Modal -->
|
||||
|
@@ -1,4 +1,4 @@
|
||||
from ram.utils import git_suffix
|
||||
|
||||
__version__ = "0.17.1"
|
||||
__version__ = "0.17.5"
|
||||
__version__ += git_suffix(__file__)
|
||||
|
@@ -1,32 +0,0 @@
|
||||
class TelemetryRouter:
|
||||
db_table = "telemetry_10secs"
|
||||
|
||||
def db_for_read(self, model, **hints):
|
||||
"""Send read operations to the correct database."""
|
||||
if model._meta.db_table == self.db_table:
|
||||
return "telemetry" # Replace with your database name
|
||||
return None # Default database
|
||||
|
||||
def db_for_write(self, model, **hints):
|
||||
"""Send write operations to the correct database."""
|
||||
if model._meta.db_table == self.db_table:
|
||||
return False # Prevent Django from writing RO tables
|
||||
return None
|
||||
|
||||
def allow_relation(self, obj1, obj2, **hints):
|
||||
"""
|
||||
Allow relations if a model in the auth or contenttypes apps is
|
||||
involved.
|
||||
"""
|
||||
if (
|
||||
obj1._meta.db_table == self.db_table
|
||||
or obj2._meta.db_table == self.db_table
|
||||
):
|
||||
return True
|
||||
return None
|
||||
|
||||
def allow_migrate(self, db, app_label, model_name=None, **hints):
|
||||
"""Prevent Django from migrating this model if it's using a specific database."""
|
||||
if db == "telemetry":
|
||||
return False # Prevent Django from creating/modifying tables
|
||||
return None
|
@@ -95,16 +95,8 @@ DATABASES = {
|
||||
"default": {
|
||||
"ENGINE": "django.db.backends.sqlite3",
|
||||
"NAME": STORAGE_DIR / "db.sqlite3",
|
||||
},
|
||||
"telemetry": {
|
||||
"ENGINE": "django.db.backends.postgresql",
|
||||
"HOST": "127.0.0.1",
|
||||
"NAME": "dccmonitor",
|
||||
"USER": "dccmonitor",
|
||||
"PASSWORD": "dccmonitor",
|
||||
},
|
||||
}
|
||||
}
|
||||
DATABASE_ROUTERS = ["ram.db_router.TelemetryRouter"]
|
||||
|
||||
|
||||
# Password validation
|
||||
|
@@ -17,7 +17,6 @@ from roster.models import (
|
||||
RollingStockImage,
|
||||
RollingStockProperty,
|
||||
RollingStockJournal,
|
||||
RollingStockTelemetry,
|
||||
)
|
||||
|
||||
|
||||
@@ -274,11 +273,11 @@ class RollingStockAdmin(SortableAdminBase, admin.ModelAdmin):
|
||||
settings.CSV_SEPARATOR_ALT.join(
|
||||
t.name for t in obj.tags.all()
|
||||
),
|
||||
obj.decoder_interface,
|
||||
obj.get_decoder_interface_display(),
|
||||
obj.decoder,
|
||||
obj.address,
|
||||
obj.purchase_date,
|
||||
obj.shop,
|
||||
obj.purchase_date,
|
||||
obj.price,
|
||||
properties,
|
||||
]
|
||||
@@ -288,29 +287,3 @@ class RollingStockAdmin(SortableAdminBase, admin.ModelAdmin):
|
||||
|
||||
download_csv.short_description = "Download selected items as CSV"
|
||||
actions = [publish, unpublish, download_csv]
|
||||
|
||||
|
||||
@admin.register(RollingStockTelemetry)
|
||||
class RollingTelemtryAdmin(admin.ModelAdmin):
|
||||
list_filter = ("bucket", "cab")
|
||||
list_display = ("bucket_highres", "cab", "max_speed", "avg_speed")
|
||||
|
||||
def bucket_highres(self, obj):
|
||||
return obj.bucket.strftime("%Y-%m-%d %H:%M:%S")
|
||||
|
||||
bucket_highres.admin_order_field = "bucket" # Enable sorting
|
||||
bucket_highres.short_description = "Bucket" # Column name in admin
|
||||
|
||||
def get_changelist_instance(self, request):
|
||||
changelist = super().get_changelist_instance(request)
|
||||
changelist.list_display_links = None # Disable links
|
||||
return changelist
|
||||
|
||||
def has_add_permission(self, request):
|
||||
return False # Disable adding new objects
|
||||
|
||||
def has_change_permission(self, request, obj=None):
|
||||
return False # Disable editing objects
|
||||
|
||||
def has_delete_permission(self, request, obj=None):
|
||||
return False # Disable deleting objects
|
||||
|
@@ -224,20 +224,6 @@ class RollingStockJournal(models.Model):
|
||||
objects = PublicManager()
|
||||
|
||||
|
||||
# trick: this is technically an abstract class
|
||||
# it is made readonly via db_router and admin to avoid any unwanted change
|
||||
class RollingStockTelemetry(models.Model):
|
||||
bucket = models.DateTimeField(primary_key=True, editable=False)
|
||||
cab = models.PositiveIntegerField(editable=False)
|
||||
avg_speed = models.FloatField(editable=False)
|
||||
max_speed = models.PositiveIntegerField(editable=False)
|
||||
|
||||
class Meta:
|
||||
db_table = "telemetry_10secs"
|
||||
ordering = ["cab", "bucket"]
|
||||
verbose_name_plural = "Telemetries"
|
||||
|
||||
|
||||
# @receiver(models.signals.post_delete, sender=Cab)
|
||||
# def post_save_image(sender, instance, *args, **kwargs):
|
||||
# try:
|
||||
|
@@ -8,7 +8,7 @@ django-countries
|
||||
django-health-check
|
||||
django-admin-sortable2
|
||||
django-tinymce
|
||||
psycopg2-binary
|
||||
# Optional: # psycopg2-binary
|
||||
# Required by django-countries and not always installed
|
||||
# by default on modern venvs (like Python 3.12 on Fedora 39)
|
||||
setuptools
|
||||
|
Reference in New Issue
Block a user