Compare commits
2 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
| b1bd11a5c5 | |||
| 252aee0ff0 |
15
.dockerignore
Executable file → Normal file
@@ -1,15 +1,6 @@
|
||||
.git
|
||||
.gitignore
|
||||
.env
|
||||
react_OLD
|
||||
.venv
|
||||
.vscode
|
||||
.claude
|
||||
CLAUDE.md
|
||||
README.md
|
||||
STATUS_MONITOR_README.md
|
||||
Dockerfile
|
||||
docker-compose.yml
|
||||
notes.txt
|
||||
react_OLD
|
||||
.git
|
||||
.git*
|
||||
__pycache__
|
||||
*.pyc
|
||||
|
||||
0
.gitattributes
vendored
Executable file → Normal file
@@ -1,2 +0,0 @@
|
||||
[core]
|
||||
filemode = false
|
||||
6
.gitignore
vendored
Executable file → Normal file
@@ -3,9 +3,3 @@ __pycache__
|
||||
notes.txt
|
||||
react_OLD
|
||||
envs.py
|
||||
.env
|
||||
status_history.json
|
||||
|
||||
.claude
|
||||
CLAUDE.md
|
||||
.aider*
|
||||
|
||||
0
.vscode/launch.json
vendored
Executable file → Normal file
0
.vscode/settings.json
vendored
Executable file → Normal file
50
Dockerfile
Executable file → Normal file
@@ -1,34 +1,34 @@
|
||||
# Use a slimmer base image to reduce image size and pull times
|
||||
FROM python:3.10-slim-bullseye
|
||||
FROM ubuntu:lunar
|
||||
LABEL maintainer="Andrew Simonson <asimonson1125@gmail.com>"
|
||||
|
||||
# Set environment variables for better Python performance in Docker
|
||||
ENV PYTHONDONTWRITEBYTECODE=1 \
|
||||
PYTHONUNBUFFERED=1 \
|
||||
PIP_NO_CACHE_DIR=1
|
||||
ENV DEBIAN_FRONTEND noninteractive
|
||||
|
||||
WORKDIR /app
|
||||
RUN apt-get update
|
||||
RUN apt-get install -y python3-pip nginx gunicorn supervisor
|
||||
|
||||
# Create a non-root user for security
|
||||
RUN groupadd -r appuser && useradd -r -g appuser appuser
|
||||
# Setup flask application
|
||||
RUN mkdir -p /deploy/app
|
||||
COPY src /deploy/app
|
||||
RUN pip install -r /deploy/app/requirements.txt --break-system-packages
|
||||
|
||||
# Copy only the requirements file first to leverage Docker layer caching
|
||||
COPY src/requirements.txt .
|
||||
# Setup nginx
|
||||
RUN rm /etc/nginx/sites-enabled/default
|
||||
COPY flask.conf /etc/nginx/sites-available/
|
||||
RUN ln -s /etc/nginx/sites-available/flask.conf /etc/nginx/sites-enabled/flask.conf && \
|
||||
echo "daemon off;" >> /etc/nginx/nginx.conf
|
||||
|
||||
# Install dependencies as root, but then switch to the non-root user
|
||||
RUN pip install -r requirements.txt
|
||||
# Setup supervisord
|
||||
RUN mkdir -p /var/log/supervisor
|
||||
COPY supervisord.conf /etc/supervisor/conf.d/supervisord.conf
|
||||
COPY gunicorn.conf /etc/supervisor/conf.d/gunicorn.conf
|
||||
|
||||
# Copy the rest of the source code
|
||||
COPY src/ .
|
||||
# Permissions
|
||||
# RUN adduser --disabled-password --gecos '' supervisor && \
|
||||
RUN chmod -R 777 /var/* && \
|
||||
chown -R root /var/*
|
||||
|
||||
# Ensure the appuser owns the app directory
|
||||
RUN chown -R appuser:appuser /app
|
||||
# Entrypoint
|
||||
USER root
|
||||
|
||||
# Switch to the non-root user for better security
|
||||
USER appuser
|
||||
|
||||
# Expose the port (Gunicorn's default or specified in CMD)
|
||||
EXPOSE 8080
|
||||
|
||||
# Start Gunicorn
|
||||
CMD ["gunicorn", "--bind", "0.0.0.0:8080", "app:app"]
|
||||
# Start processes
|
||||
CMD ["/usr/bin/supervisord"]
|
||||
|
||||
97
README.md
Executable file → Normal file
@@ -1,92 +1,9 @@
|
||||
# Personal Portfolio & Service Monitor
|
||||
# I made a uhh website
|
||||
So people can see how excellent my coding standards are.
|
||||
|
||||
A Flask-based website for my personal portfolio and a service monitoring dashboard. This project handles dynamic project showcases, automated service health tracking, and production-ready optimizations.
|
||||
* Style: 5/10
|
||||
* Originality: 3/10
|
||||
* Security: Yes*
|
||||
* Viruses: not included
|
||||
|
||||
## Features
|
||||
|
||||
- **Content Management**: Pages like projects, books, and skills are managed via JSON files in the `static` directory.
|
||||
- **Service Monitoring**: Background health checks for external services with uptime statistics stored in PostgreSQL.
|
||||
- **Optimizations**:
|
||||
- HTML, CSS, and JS minification via `Flask-Minify`.
|
||||
- MD5-based cache busting for static assets.
|
||||
- Configurable cache-control headers.
|
||||
- **Security**: Pre-configured headers for XSS protection and frame security.
|
||||
- **Deployment**: Ready for containerized deployment with Docker and Gunicorn.
|
||||
|
||||
## Tech Stack
|
||||
|
||||
- **Backend**: Python 3.12, Flask
|
||||
- **Frontend**: Vanilla CSS/JS, Jinja2
|
||||
- **Database**: PostgreSQL (optional, for monitoring history)
|
||||
- **Infrastructure**: Docker, docker-compose
|
||||
|
||||
## Project Structure
|
||||
|
||||
```text
|
||||
.
|
||||
├── src/
|
||||
│ ├── app.py # Application entry point
|
||||
│ ├── monitor.py # Service monitoring logic
|
||||
│ ├── config.py # Environment configuration
|
||||
│ ├── templates/ # HTML templates
|
||||
│ ├── static/ # CSS, JS, and JSON data
|
||||
│ └── requirements.txt # Python dependencies
|
||||
├── Dockerfile # Container definition
|
||||
├── docker-compose.yml # Local stack orchestration
|
||||
└── STATUS_MONITOR_README.md # Monitoring system documentation
|
||||
```
|
||||
|
||||
## Getting Started
|
||||
|
||||
### Using Docker
|
||||
|
||||
To run the full stack (App + PostgreSQL):
|
||||
|
||||
1. **Clone the repository**:
|
||||
```bash
|
||||
git clone https://github.com/asimonson1125/asimonson1125.github.io.git
|
||||
cd asimonson1125.github.io
|
||||
```
|
||||
|
||||
2. **Start services**:
|
||||
```bash
|
||||
docker-compose up --build
|
||||
```
|
||||
|
||||
3. **Access the site**:
|
||||
Visit [http://localhost:8080](http://localhost:8080).
|
||||
|
||||
### Local Development
|
||||
|
||||
To run the Flask app without Docker:
|
||||
|
||||
1. **Set up a virtual environment**:
|
||||
```bash
|
||||
python3 -m venv .venv
|
||||
source .venv/bin/activate
|
||||
```
|
||||
|
||||
2. **Install dependencies**:
|
||||
```bash
|
||||
pip install -r src/requirements.txt
|
||||
```
|
||||
|
||||
3. **Run the application**:
|
||||
```bash
|
||||
cd src
|
||||
python3 app.py
|
||||
```
|
||||
*Note: status monitor is by default disabled outside of its container cluster*
|
||||
|
||||
## Service Monitoring
|
||||
|
||||
The monitoring system in `src/monitor.py` tracks service availability. It:
|
||||
- Runs concurrent health checks every hour.
|
||||
- Calculates uptime for various windows (24h, 7d, 30d).
|
||||
- Provides a status UI at `/status` and a JSON API at `/api/status`.
|
||||
|
||||
See [STATUS_MONITOR_README.md](./STATUS_MONITOR_README.md) for more details.
|
||||
|
||||
## License
|
||||
|
||||
This project is personal property. All rights reserved.
|
||||
You gotta uhh `pip3 install -r requirements.txt` and `python3 app.py` that thing
|
||||
|
||||
@@ -1,138 +0,0 @@
|
||||
# Service Status Monitor
|
||||
|
||||
## Overview
|
||||
Server-side monitoring system that checks the availability of asimonson.com services every 2 hours and provides uptime statistics.
|
||||
|
||||
## Architecture
|
||||
|
||||
### Backend Components
|
||||
|
||||
#### 1. `monitor.py` - Service Monitoring Module
|
||||
- **Purpose**: Performs automated health checks on all services
|
||||
- **Check Interval**: Every 2 hours (7200 seconds)
|
||||
- **Services Monitored**:
|
||||
- asimonson.com
|
||||
- files.asimonson.com
|
||||
- git.asimonson.com
|
||||
- pass.asimonson.com
|
||||
- ssh.asimonson.com
|
||||
|
||||
**Features**:
|
||||
- Tracks response times and HTTP status codes
|
||||
- Calculates uptime percentages for multiple time periods (24h, 7d, 30d, all-time)
|
||||
- Persists data to PostgreSQL (`service_checks` table) via `DATABASE_URL` env var
|
||||
- Gracefully degrades when no database is configured (local dev)
|
||||
- Runs in a background thread
|
||||
|
||||
#### 2. `app.py` - Flask Integration
|
||||
- **New API Endpoint**: `/api/status`
|
||||
- Returns current status for all services
|
||||
- Includes uptime statistics
|
||||
- Provides last check and next check times
|
||||
- **Auto-start**: Monitoring begins when the Flask app starts
|
||||
|
||||
### Frontend Components
|
||||
|
||||
#### 1. `templates/status.html` - Status Page Template
|
||||
- Displays real-time service status
|
||||
- Shows uptime percentages (24h, 7d, 30d, all-time)
|
||||
- Displays response times and status codes
|
||||
- Shows total number of checks performed
|
||||
- Manual refresh button
|
||||
- Auto-refreshes every 5 minutes
|
||||
|
||||
#### 2. `static/js/status.js` - Frontend Logic
|
||||
- Fetches status data from `/api/status` API
|
||||
- Updates UI with service status and uptime
|
||||
- Handles error states gracefully
|
||||
- Auto-refresh every 5 minutes
|
||||
|
||||
#### 3. `static/css/App.css` - Styling
|
||||
- Color-coded status indicators:
|
||||
- Green: Operational
|
||||
- Yellow: Degraded/Timeout
|
||||
- Red: Offline
|
||||
- Responsive grid layout
|
||||
- Dark theme matching existing site design
|
||||
|
||||
## Data Storage
|
||||
|
||||
Check history is stored in a PostgreSQL `service_checks` table. The connection is configured via the `DATABASE_URL` environment variable (e.g. `postgresql://user:pass@host:5432/dbname`).
|
||||
|
||||
```sql
|
||||
CREATE TABLE service_checks (
|
||||
id SERIAL PRIMARY KEY,
|
||||
service_id VARCHAR(50) NOT NULL,
|
||||
timestamp TIMESTAMPTZ NOT NULL DEFAULT NOW(),
|
||||
status VARCHAR(20) NOT NULL,
|
||||
response_time INTEGER,
|
||||
status_code INTEGER,
|
||||
error TEXT
|
||||
);
|
||||
```
|
||||
|
||||
The table and index are created automatically on startup. If `DATABASE_URL` is not set, the monitor runs without persistence (useful for local development).
|
||||
|
||||
## Status Types
|
||||
|
||||
- **online**: HTTP status 2xx-4xx, service responding
|
||||
- **degraded**: HTTP status 5xx or slow response
|
||||
- **timeout**: Request exceeded timeout limit (10 seconds)
|
||||
- **offline**: Unable to reach service
|
||||
- **unknown**: No checks performed yet
|
||||
|
||||
## Uptime Calculation
|
||||
|
||||
Uptime percentage = (number of online checks / total checks) × 100
|
||||
|
||||
Calculated for:
|
||||
- Last 24 hours
|
||||
- Last 7 days
|
||||
- Last 30 days
|
||||
- All-time (since monitoring began)
|
||||
|
||||
## Usage
|
||||
|
||||
### Starting the Server
|
||||
```bash
|
||||
cd src
|
||||
python3 app.py
|
||||
```
|
||||
|
||||
The monitoring will start automatically and perform an initial check immediately, then every 2 hours thereafter.
|
||||
|
||||
### Accessing the Status Page
|
||||
Navigate to: `https://asimonson.com/status`
|
||||
|
||||
### API Access
|
||||
Direct API access: `https://asimonson.com/api/status`
|
||||
|
||||
Returns JSON with current status and uptime statistics for all services.
|
||||
|
||||
## Configuration
|
||||
|
||||
To modify monitoring behavior, edit `src/monitor.py`:
|
||||
|
||||
```python
|
||||
# Change check interval (in seconds)
|
||||
CHECK_INTERVAL = 7200 # 2 hours
|
||||
|
||||
# Modify service list
|
||||
SERVICES = [
|
||||
{
|
||||
'id': 'main',
|
||||
'name': 'asimonson.com',
|
||||
'url': 'https://asimonson.com',
|
||||
'timeout': 10 # seconds
|
||||
},
|
||||
# Add more services here
|
||||
]
|
||||
```
|
||||
|
||||
## Notes
|
||||
|
||||
- First deployment will show limited uptime data until enough checks accumulate
|
||||
- Historical data is preserved across server restarts (stored in PostgreSQL)
|
||||
- Page auto-refreshes every 5 minutes to show latest server data
|
||||
- Manual refresh button available for immediate updates
|
||||
- All checks performed server-side (no client-side CORS issues)
|
||||
@@ -1,32 +0,0 @@
|
||||
services:
|
||||
portfolio:
|
||||
image: 'asimonson1125/portfolio'
|
||||
build:
|
||||
context: ./
|
||||
dockerfile: Dockerfile
|
||||
restart: 'no'
|
||||
ports:
|
||||
- 8080:8080
|
||||
environment:
|
||||
DATABASE_URL: postgresql://portfolio:portfolio@db:5432/portfolio
|
||||
depends_on:
|
||||
db:
|
||||
condition: service_healthy
|
||||
|
||||
db:
|
||||
image: postgres:16-alpine
|
||||
restart: 'no'
|
||||
environment:
|
||||
POSTGRES_USER: portfolio
|
||||
POSTGRES_PASSWORD: portfolio
|
||||
POSTGRES_DB: portfolio
|
||||
volumes:
|
||||
- pgdata:/var/lib/postgresql/data
|
||||
healthcheck:
|
||||
test: ["CMD-SHELL", "pg_isready -U portfolio"]
|
||||
interval: 5s
|
||||
timeout: 3s
|
||||
retries: 5
|
||||
|
||||
volumes:
|
||||
pgdata:
|
||||
24
flask.conf
Normal file
@@ -0,0 +1,24 @@
|
||||
server {
|
||||
listen 8080;
|
||||
server_name www.asimonson.com;
|
||||
return 301 https://asimonson.com$request_uri;
|
||||
}
|
||||
server {
|
||||
listen 8080;
|
||||
server_name asimonson.com;
|
||||
|
||||
gzip on;
|
||||
gzip_types text/plain text/javascript text/css;
|
||||
gunzip on;
|
||||
|
||||
add_header Strict-Transport-Security "max-age=31536000; includeSubDomains" always;
|
||||
add_header X-Content-Type-Options 'nosniff';
|
||||
add_header X-Frame-Options 'SAMEORIGIN';
|
||||
|
||||
location / {
|
||||
proxy_pass http://localhost:5000/;
|
||||
proxy_set_header Host $host;
|
||||
proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for;
|
||||
}
|
||||
|
||||
}
|
||||
3
gunicorn.conf
Normal file
@@ -0,0 +1,3 @@
|
||||
[program:gunicorn]
|
||||
command=/usr/bin/gunicorn -k geventwebsocket.gunicorn.workers.GeventWebSocketWorker app:app -b localhost:5000
|
||||
directory=/deploy/app
|
||||
202
src/app.py
Executable file → Normal file
@@ -1,162 +1,114 @@
|
||||
import hashlib
|
||||
import json
|
||||
import os
|
||||
|
||||
import flask
|
||||
from flask_minify import Minify
|
||||
import json
|
||||
import werkzeug.exceptions as HTTPerror
|
||||
import requests
|
||||
from config import *
|
||||
|
||||
import config # noqa: F401 — side-effect: loads dev env vars
|
||||
from monitor import monitor, SERVICES
|
||||
proj = json.load(open("./static/json/projects.json", "r"))
|
||||
books = json.load(open("./static/json/books.json", "r"))
|
||||
skillList = json.load(open("./static/json/skills.json", "r"))
|
||||
timeline = json.load(open("./static/json/timeline.json", "r"))
|
||||
pages = json.load(open("./static/json/pages.json", "r"))
|
||||
pages['about']['skillList'] = skillList
|
||||
pages['about']['timeline'] = timeline
|
||||
pages['projects']['projects'] = proj
|
||||
pages['home']['books'] = books
|
||||
pages['books']['books'] = books
|
||||
|
||||
app = flask.Flask(__name__)
|
||||
|
||||
# ── Static file fingerprinting ────────────────────────────────────────
|
||||
@app.route('/api/goto/')
|
||||
@app.route('/api/goto/<location>')
|
||||
def goto(location='home'):
|
||||
pagevars = pages[location]
|
||||
page = None
|
||||
try:
|
||||
page = flask.render_template(pagevars["template"], var=pagevars)
|
||||
except Exception as e:
|
||||
# raise e
|
||||
e = HTTPerror.InternalServerError(None, e)
|
||||
page = page404(e)
|
||||
return [pagevars, page]
|
||||
|
||||
static_file_hashes = {}
|
||||
for dirpath, _, filenames in os.walk(app.static_folder):
|
||||
for filename in filenames:
|
||||
filepath = os.path.join(dirpath, filename)
|
||||
relative = os.path.relpath(filepath, app.static_folder)
|
||||
with open(filepath, 'rb') as f:
|
||||
static_file_hashes[relative] = hashlib.md5(f.read()).hexdigest()[:8]
|
||||
def funcGen(pagename, pages):
|
||||
def dynamicRule():
|
||||
try:
|
||||
return flask.render_template('header.html', var=pages[pagename])
|
||||
except Exception:
|
||||
e = HTTPerror.InternalServerError()
|
||||
return page404(e)
|
||||
return dynamicRule
|
||||
|
||||
for i in pages:
|
||||
func = funcGen(i, pages)
|
||||
app.add_url_rule(pages[i]['canonical'], i, func)
|
||||
|
||||
|
||||
@app.context_processor
|
||||
def override_url_for():
|
||||
def versioned_url_for(endpoint, **values):
|
||||
if endpoint == 'static':
|
||||
filename = values.get('filename')
|
||||
if filename and filename in static_file_hashes:
|
||||
values['v'] = static_file_hashes[filename]
|
||||
return flask.url_for(endpoint, **values)
|
||||
return dict(url_for=versioned_url_for)
|
||||
# for i in pages:
|
||||
# exec(f"@app.route(pages['{i}']['canonical'])\ndef {i}(): return flask.render_template('header.html', var=pages['{i}'])")
|
||||
|
||||
@app.route("/huge")
|
||||
def huge():
|
||||
return flask.render_template('huge.html')
|
||||
|
||||
# ── Security and caching headers ──────────────────────────────────────
|
||||
@app.route("/resume")
|
||||
@app.route("/Resume.pdf")
|
||||
def resume():
|
||||
return flask.send_file("./static/Resume.pdf")
|
||||
|
||||
@app.after_request
|
||||
def add_headers(response):
|
||||
response.headers['X-Content-Type-Options'] = 'nosniff'
|
||||
response.headers['X-Frame-Options'] = 'SAMEORIGIN'
|
||||
response.headers['X-XSS-Protection'] = '1; mode=block'
|
||||
response.headers['Referrer-Policy'] = 'strict-origin-when-cross-origin'
|
||||
@app.route("/hotspots")
|
||||
def hotspotsRIT():
|
||||
url = HotspotsURL
|
||||
if flask.request.args.get("legend") == "false":
|
||||
url += "?legend=false"
|
||||
pagevars = {
|
||||
"template": "iframe.html",
|
||||
"title": f"Hotspots @ RIT",
|
||||
"description": "Hotspots @ RIT by Andrew Simonson",
|
||||
"canonical": "/hotspots",
|
||||
}
|
||||
return flask.render_template("iframe.html", url=url, var=pagevars)
|
||||
|
||||
if flask.request.path.startswith('/static/'):
|
||||
response.headers['Cache-Control'] = 'public, max-age=31536000, immutable'
|
||||
elif flask.request.path in ['/sitemap.xml', '/robots.txt']:
|
||||
response.headers['Cache-Control'] = 'public, max-age=86400'
|
||||
else:
|
||||
response.headers['Cache-Control'] = 'no-cache, must-revalidate'
|
||||
@app.route("/hotspots/<path>")
|
||||
def hotspotsProxy(path):
|
||||
return requests.get(f"{HotspotsURL}/{path}").content
|
||||
|
||||
return response
|
||||
|
||||
|
||||
# ── Load page data ────────────────────────────────────────────────────
|
||||
|
||||
def load_json(path):
|
||||
with open(path, "r") as f:
|
||||
return json.load(f)
|
||||
|
||||
|
||||
projects = load_json("./static/json/projects.json")
|
||||
books = load_json("./static/json/books.json")
|
||||
skills = load_json("./static/json/skills.json")
|
||||
timeline = load_json("./static/json/timeline.json")
|
||||
pages = load_json("./static/json/pages.json")
|
||||
|
||||
pages['projects']['skillList'] = skills
|
||||
pages['projects']['projects'] = projects
|
||||
pages['home']['books'] = books
|
||||
pages['books']['books'] = books
|
||||
pages['status']['services'] = SERVICES
|
||||
|
||||
|
||||
# ── Error rendering ──────────────────────────────────────────────────
|
||||
|
||||
def render_error(code, message):
|
||||
@app.errorhandler(Exception)
|
||||
def page404(e):
|
||||
eCode = e.code
|
||||
message = e.description
|
||||
try:
|
||||
message = e.length
|
||||
finally:
|
||||
pagevars = {
|
||||
"template": "error.html",
|
||||
"title": f"{code} - Simonson",
|
||||
"title": f"{eCode} - Simonson",
|
||||
"description": "Error on Andrew Simonson's Digital Portfolio",
|
||||
"canonical": f"/{code}",
|
||||
"canonical": "404",
|
||||
}
|
||||
return (
|
||||
flask.render_template(
|
||||
"header.html",
|
||||
var=pagevars,
|
||||
error=code,
|
||||
error=eCode,
|
||||
message=message,
|
||||
title=f"{code} - Simonson Portfolio",
|
||||
title=f"{eCode} - Simonson Portfolio",
|
||||
),
|
||||
code,
|
||||
eCode,
|
||||
)
|
||||
|
||||
|
||||
@app.errorhandler(HTTPerror.HTTPException)
|
||||
def handle_http_error(e):
|
||||
return render_error(e.code, e.description)
|
||||
|
||||
|
||||
@app.errorhandler(Exception)
|
||||
def handle_generic_error(e):
|
||||
return render_error(500, "Internal Server Error")
|
||||
|
||||
|
||||
# ── API routes ────────────────────────────────────────────────────────
|
||||
|
||||
@app.route('/api/status')
|
||||
def api_status():
|
||||
return flask.jsonify(monitor.get_status_summary())
|
||||
|
||||
|
||||
@app.route('/api/goto/')
|
||||
@app.route('/api/goto/<location>')
|
||||
def api_goto(location='home'):
|
||||
if location not in pages:
|
||||
flask.abort(404)
|
||||
pagevars = pages[location]
|
||||
try:
|
||||
page = flask.render_template(pagevars["template"], var=pagevars)
|
||||
except Exception:
|
||||
page = render_error(500, "Internal Server Error")
|
||||
return [pagevars, page]
|
||||
|
||||
|
||||
# ── Dynamic page routes ──────────────────────────────────────────────
|
||||
|
||||
def make_page_handler(pagename):
|
||||
def handler():
|
||||
try:
|
||||
return flask.render_template('header.html', var=pages[pagename])
|
||||
except Exception:
|
||||
return render_error(500, "Internal Server Error")
|
||||
return handler
|
||||
|
||||
|
||||
for name in pages:
|
||||
app.add_url_rule(pages[name]['canonical'], name, make_page_handler(name))
|
||||
|
||||
|
||||
# ── Static file routes ───────────────────────────────────────────────
|
||||
|
||||
@app.route("/resume")
|
||||
@app.route("/Resume.pdf")
|
||||
@app.route("/Resume_Simonson_Andrew.pdf")
|
||||
def resume():
|
||||
return flask.send_file("./static/Resume_Simonson_Andrew.pdf")
|
||||
|
||||
|
||||
@app.route("/sitemap.xml")
|
||||
@app.route("/robots.txt")
|
||||
def static_from_root():
|
||||
return flask.send_from_directory(app.static_folder, flask.request.path[1:])
|
||||
|
||||
|
||||
# ── Startup ───────────────────────────────────────────────────────────
|
||||
|
||||
if __name__ == "__main__":
|
||||
app.run(debug=False)
|
||||
# import sass
|
||||
|
||||
# sass.compile(dirname=("static/scss", "static/css"), output_style="compressed")
|
||||
app.run()
|
||||
else:
|
||||
Minify(app=app, html=True, js=True, cssless=True)
|
||||
monitor.start_monitoring()
|
||||
|
||||
4
src/config.py
Executable file → Normal file
@@ -1,6 +1,8 @@
|
||||
from os import environ as env
|
||||
# automatically updates some dev envs. need to remove for production.
|
||||
try:
|
||||
__import__('envs')
|
||||
__import__('envs.py')
|
||||
except ImportError:
|
||||
pass
|
||||
|
||||
HotspotsURL = env.get('HotspotsURL', 'https://asimonson.com/hotspots')
|
||||
344
src/monitor.py
@@ -1,344 +0,0 @@
|
||||
"""
|
||||
Service monitoring module.
|
||||
Checks service availability and tracks uptime statistics in PostgreSQL.
|
||||
"""
|
||||
import os
|
||||
import time
|
||||
from concurrent.futures import ThreadPoolExecutor
|
||||
from datetime import datetime, timedelta
|
||||
from threading import Thread, Lock
|
||||
|
||||
import psycopg2
|
||||
import requests
|
||||
|
||||
SERVICES = [
|
||||
{'id': 'main', 'name': 'asimonson.com', 'url': 'https://asimonson.com', 'timeout': 10},
|
||||
{'id': 'files', 'name': 'files.asimonson.com', 'url': 'https://files.asimonson.com', 'timeout': 10},
|
||||
{'id': 'git', 'name': 'git.asimonson.com', 'url': 'https://git.asimonson.com', 'timeout': 10},
|
||||
]
|
||||
|
||||
CHECK_INTERVAL = 60 # seconds between checks
|
||||
RETENTION_DAYS = 90 # how long to keep records
|
||||
CLEANUP_INTERVAL = 86400 # seconds between purge runs
|
||||
|
||||
DATABASE_URL = os.environ.get('DATABASE_URL')
|
||||
|
||||
# Expected columns (besides id) -- name: SQL type
|
||||
_EXPECTED_COLUMNS = {
|
||||
'service_id': 'VARCHAR(50) NOT NULL',
|
||||
'timestamp': 'TIMESTAMPTZ NOT NULL DEFAULT NOW()',
|
||||
'status': 'VARCHAR(20) NOT NULL',
|
||||
'response_time': 'INTEGER',
|
||||
'status_code': 'INTEGER',
|
||||
'error': 'TEXT',
|
||||
}
|
||||
|
||||
|
||||
class ServiceMonitor:
|
||||
def __init__(self):
|
||||
self.lock = Lock()
|
||||
self._current = {
|
||||
svc['id']: {
|
||||
'name': svc['name'],
|
||||
'url': svc['url'],
|
||||
'status': 'unknown',
|
||||
'response_time': None,
|
||||
'status_code': None,
|
||||
'last_online': None,
|
||||
}
|
||||
for svc in SERVICES
|
||||
}
|
||||
self._last_check = None
|
||||
self._ensure_schema()
|
||||
|
||||
# ── Database helpers ──────────────────────────────────────────
|
||||
|
||||
@staticmethod
|
||||
def _get_conn():
|
||||
"""Return a new psycopg2 connection, or None if DATABASE_URL is unset."""
|
||||
if not DATABASE_URL:
|
||||
return None
|
||||
return psycopg2.connect(DATABASE_URL)
|
||||
|
||||
def _ensure_schema(self):
|
||||
"""Create or migrate the service_checks table to match _EXPECTED_COLUMNS."""
|
||||
if not DATABASE_URL:
|
||||
print("DATABASE_URL not set -- running without persistence")
|
||||
return
|
||||
|
||||
conn = None
|
||||
for attempt in range(5):
|
||||
try:
|
||||
conn = psycopg2.connect(DATABASE_URL)
|
||||
break
|
||||
except psycopg2.OperationalError:
|
||||
if attempt < 4:
|
||||
print(f"Database not ready, retrying in 2s (attempt {attempt + 1}/5)...")
|
||||
time.sleep(2)
|
||||
else:
|
||||
print("Could not connect to database -- running without persistence")
|
||||
return
|
||||
|
||||
try:
|
||||
with conn, conn.cursor() as cur:
|
||||
cur.execute("""
|
||||
CREATE TABLE IF NOT EXISTS service_checks (
|
||||
id SERIAL PRIMARY KEY,
|
||||
service_id VARCHAR(50) NOT NULL,
|
||||
timestamp TIMESTAMPTZ NOT NULL DEFAULT NOW(),
|
||||
status VARCHAR(20) NOT NULL,
|
||||
response_time INTEGER,
|
||||
status_code INTEGER,
|
||||
error TEXT
|
||||
);
|
||||
""")
|
||||
cur.execute("""
|
||||
CREATE INDEX IF NOT EXISTS idx_service_checks_service_timestamp
|
||||
ON service_checks (service_id, timestamp DESC);
|
||||
""")
|
||||
|
||||
# Introspect existing columns
|
||||
cur.execute("""
|
||||
SELECT column_name
|
||||
FROM information_schema.columns
|
||||
WHERE table_name = 'service_checks'
|
||||
""")
|
||||
existing = {row[0] for row in cur.fetchall()}
|
||||
|
||||
for col, col_type in _EXPECTED_COLUMNS.items():
|
||||
if col not in existing:
|
||||
bare_type = col_type.split('NOT NULL')[0].split('DEFAULT')[0].strip()
|
||||
cur.execute(f'ALTER TABLE service_checks ADD COLUMN {col} {bare_type}')
|
||||
print(f"Added column {col} to service_checks")
|
||||
|
||||
expected_names = set(_EXPECTED_COLUMNS) | {'id'}
|
||||
for col in existing - expected_names:
|
||||
cur.execute(f'ALTER TABLE service_checks DROP COLUMN {col}')
|
||||
print(f"Dropped column {col} from service_checks")
|
||||
|
||||
print("Database schema OK")
|
||||
finally:
|
||||
conn.close()
|
||||
|
||||
def _insert_check(self, service_id, result):
|
||||
"""Persist a single check result to the database."""
|
||||
conn = self._get_conn()
|
||||
if conn is None:
|
||||
return
|
||||
try:
|
||||
with conn, conn.cursor() as cur:
|
||||
cur.execute(
|
||||
"""INSERT INTO service_checks
|
||||
(service_id, timestamp, status, response_time, status_code, error)
|
||||
VALUES (%s, %s, %s, %s, %s, %s)""",
|
||||
(
|
||||
service_id,
|
||||
result['timestamp'],
|
||||
result['status'],
|
||||
result.get('response_time'),
|
||||
result.get('status_code'),
|
||||
result.get('error'),
|
||||
),
|
||||
)
|
||||
finally:
|
||||
conn.close()
|
||||
|
||||
# ── Service checks ────────────────────────────────────────────
|
||||
|
||||
def check_service(self, service):
|
||||
"""Perform an HTTP HEAD against a service and return a status dict."""
|
||||
start_time = time.time()
|
||||
result = {
|
||||
'timestamp': datetime.now().isoformat(),
|
||||
'status': 'offline',
|
||||
'response_time': None,
|
||||
'status_code': None,
|
||||
}
|
||||
|
||||
try:
|
||||
response = requests.head(
|
||||
service['url'],
|
||||
timeout=service['timeout'],
|
||||
allow_redirects=True,
|
||||
)
|
||||
result['response_time'] = int((time.time() - start_time) * 1000)
|
||||
result['status_code'] = response.status_code
|
||||
|
||||
if response.status_code < 500:
|
||||
result['status'] = 'online'
|
||||
else:
|
||||
result['status'] = 'degraded'
|
||||
|
||||
except requests.exceptions.Timeout:
|
||||
result['status'] = 'timeout'
|
||||
result['response_time'] = service['timeout'] * 1000
|
||||
except Exception as e:
|
||||
result['status'] = 'offline'
|
||||
result['error'] = str(e)
|
||||
|
||||
return result
|
||||
|
||||
def check_all_services(self):
|
||||
"""Check every service concurrently, persist results, and update cache."""
|
||||
print(f"[{datetime.now().strftime('%Y-%m-%d %H:%M:%S')}] Checking all services...")
|
||||
|
||||
results = {}
|
||||
with ThreadPoolExecutor(max_workers=len(SERVICES)) as executor:
|
||||
futures = {executor.submit(self.check_service, s): s for s in SERVICES}
|
||||
for future in futures:
|
||||
service = futures[future]
|
||||
result = future.result()
|
||||
results[service['id']] = result
|
||||
print(f" {service['name']}: {result['status']} ({result['response_time']}ms)")
|
||||
|
||||
for service_id, result in results.items():
|
||||
self._insert_check(service_id, result)
|
||||
|
||||
with self.lock:
|
||||
for service in SERVICES:
|
||||
result = results[service['id']]
|
||||
cached = self._current[service['id']]
|
||||
cached['status'] = result['status']
|
||||
cached['response_time'] = result['response_time']
|
||||
cached['status_code'] = result['status_code']
|
||||
if result['status'] == 'online':
|
||||
cached['last_online'] = result['timestamp']
|
||||
self._last_check = datetime.now().isoformat()
|
||||
|
||||
# ── Uptime calculations ───────────────────────────────────────
|
||||
|
||||
def _calculate_uptime(self, service_id, hours=None):
|
||||
"""Return uptime percentage for a service, or None if insufficient data."""
|
||||
conn = self._get_conn()
|
||||
if conn is None:
|
||||
return None
|
||||
|
||||
try:
|
||||
with conn.cursor() as cur:
|
||||
if hours:
|
||||
cutoff = datetime.now() - timedelta(hours=hours)
|
||||
cur.execute(
|
||||
"""SELECT
|
||||
COUNT(*) FILTER (WHERE status = 'online'),
|
||||
COUNT(*)
|
||||
FROM service_checks
|
||||
WHERE service_id = %s AND timestamp > %s""",
|
||||
(service_id, cutoff),
|
||||
)
|
||||
else:
|
||||
cur.execute(
|
||||
"""SELECT
|
||||
COUNT(*) FILTER (WHERE status = 'online'),
|
||||
COUNT(*)
|
||||
FROM service_checks
|
||||
WHERE service_id = %s""",
|
||||
(service_id,),
|
||||
)
|
||||
|
||||
online_count, total_count = cur.fetchone()
|
||||
if total_count == 0:
|
||||
return None
|
||||
|
||||
# Only report a time-windowed uptime if data exists beyond the window
|
||||
if hours:
|
||||
cur.execute(
|
||||
'SELECT EXISTS(SELECT 1 FROM service_checks WHERE service_id = %s AND timestamp <= %s)',
|
||||
(service_id, cutoff),
|
||||
)
|
||||
if not cur.fetchone()[0]:
|
||||
return None
|
||||
|
||||
return round((online_count / total_count) * 100, 2)
|
||||
finally:
|
||||
conn.close()
|
||||
|
||||
def _get_total_checks(self, service_id):
|
||||
"""Return the total number of recorded checks for a service."""
|
||||
conn = self._get_conn()
|
||||
if conn is None:
|
||||
return 0
|
||||
try:
|
||||
with conn.cursor() as cur:
|
||||
cur.execute(
|
||||
'SELECT COUNT(*) FROM service_checks WHERE service_id = %s',
|
||||
(service_id,),
|
||||
)
|
||||
return cur.fetchone()[0]
|
||||
finally:
|
||||
conn.close()
|
||||
|
||||
# ── Status summary ────────────────────────────────────────────
|
||||
|
||||
def get_status_summary(self):
|
||||
"""Build a JSON-serializable status summary with uptime statistics."""
|
||||
with self.lock:
|
||||
summary = {
|
||||
'last_check': self._last_check,
|
||||
'next_check': None,
|
||||
'services': [],
|
||||
}
|
||||
|
||||
if self._last_check:
|
||||
last_check = datetime.fromisoformat(self._last_check)
|
||||
summary['next_check'] = (last_check + timedelta(seconds=CHECK_INTERVAL)).isoformat()
|
||||
|
||||
for service_id, cached in self._current.items():
|
||||
summary['services'].append({
|
||||
'id': service_id,
|
||||
'name': cached['name'],
|
||||
'url': cached['url'],
|
||||
'status': cached['status'],
|
||||
'response_time': cached['response_time'],
|
||||
'status_code': cached['status_code'],
|
||||
'last_online': cached['last_online'],
|
||||
'uptime': {
|
||||
'24h': self._calculate_uptime(service_id, 24),
|
||||
'7d': self._calculate_uptime(service_id, 24 * 7),
|
||||
'30d': self._calculate_uptime(service_id, 24 * 30),
|
||||
'all_time': self._calculate_uptime(service_id),
|
||||
},
|
||||
'total_checks': self._get_total_checks(service_id),
|
||||
})
|
||||
|
||||
return summary
|
||||
|
||||
# ── Background loop ───────────────────────────────────────────
|
||||
|
||||
def _purge_old_records(self):
|
||||
"""Delete check records older than RETENTION_DAYS."""
|
||||
conn = self._get_conn()
|
||||
if conn is None:
|
||||
return
|
||||
try:
|
||||
cutoff = datetime.now() - timedelta(days=RETENTION_DAYS)
|
||||
with conn, conn.cursor() as cur:
|
||||
cur.execute('DELETE FROM service_checks WHERE timestamp < %s', (cutoff,))
|
||||
deleted = cur.rowcount
|
||||
if deleted:
|
||||
print(f"Purged {deleted} records older than {RETENTION_DAYS} days")
|
||||
finally:
|
||||
conn.close()
|
||||
|
||||
def start_monitoring(self):
|
||||
"""Start the background daemon thread for periodic checks and cleanup."""
|
||||
def monitor_loop():
|
||||
self.check_all_services()
|
||||
self._purge_old_records()
|
||||
|
||||
checks_since_cleanup = 0
|
||||
checks_per_cleanup = CLEANUP_INTERVAL // CHECK_INTERVAL
|
||||
|
||||
while True:
|
||||
time.sleep(CHECK_INTERVAL)
|
||||
self.check_all_services()
|
||||
checks_since_cleanup += 1
|
||||
if checks_since_cleanup >= checks_per_cleanup:
|
||||
self._purge_old_records()
|
||||
checks_since_cleanup = 0
|
||||
|
||||
thread = Thread(target=monitor_loop, daemon=True)
|
||||
thread.start()
|
||||
print(f"Service monitoring started (checks every {CHECK_INTERVAL}s)")
|
||||
|
||||
|
||||
monitor = ServiceMonitor()
|
||||
60
src/requirements.txt
Executable file → Normal file
@@ -1,23 +1,43 @@
|
||||
blinker==1.9.0
|
||||
certifi==2026.1.4
|
||||
charset-normalizer==3.4.4
|
||||
click==8.3.1
|
||||
Flask==3.1.3
|
||||
Flask-Minify==0.50
|
||||
gunicorn==25.1.0
|
||||
htmlminf==0.1.13
|
||||
idna==3.11
|
||||
itsdangerous==2.2.0
|
||||
Jinja2==3.1.6
|
||||
bidict==0.22.1
|
||||
black==22.12.0
|
||||
blinker==1.5
|
||||
certifi==2023.7.22
|
||||
cffi==1.15.1
|
||||
charset-normalizer==3.3.1
|
||||
click==8.1.3
|
||||
colorama==0.4.6
|
||||
Flask==2.2.2
|
||||
Flask-Minify==0.41
|
||||
Flask-SocketIO==5.3.2
|
||||
gevent==22.10.2
|
||||
gevent-websocket==0.10.1
|
||||
greenlet==2.0.2
|
||||
gunicorn==20.1.0
|
||||
htmlmin==0.1.12
|
||||
idna==3.4
|
||||
importlib-metadata==6.0.0
|
||||
itsdangerous==2.1.2
|
||||
Jinja2==3.1.2
|
||||
jsmin==3.0.1
|
||||
lesscpy==0.15.1
|
||||
MarkupSafe==3.0.3
|
||||
packaging==26.0
|
||||
libsass==0.22.0
|
||||
MarkupSafe==2.1.2
|
||||
mypy-extensions==0.4.3
|
||||
pathspec==0.11.0
|
||||
platformdirs==2.6.2
|
||||
ply==3.11
|
||||
psycopg2-binary==2.9.11
|
||||
rcssmin==1.2.2
|
||||
requests==2.32.5
|
||||
six==1.17.0
|
||||
urllib3==2.6.3
|
||||
Werkzeug==3.1.6
|
||||
xxhash==3.6.0
|
||||
pycparser==2.21
|
||||
pyScss==1.4.0
|
||||
python-engineio==4.3.4
|
||||
python-socketio==5.7.2
|
||||
rcssmin==1.1.1
|
||||
requests==2.31.0
|
||||
six==1.16.0
|
||||
tomli==2.0.1
|
||||
typing_extensions==4.4.0
|
||||
urllib3==2.0.7
|
||||
Werkzeug==2.2.2
|
||||
xxhash==3.2.0
|
||||
zipp==3.11.0
|
||||
zope.event==4.6
|
||||
zope.interface==5.5.2
|
||||
|
||||
BIN
src/static/Resume_Simonson_Andrew.pdf → src/static/Resume.pdf
Executable file → Normal file
0
src/static/chesscom-embed/default.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 1.1 KiB After Width: | Height: | Size: 1.1 KiB |
0
src/static/chesscom-embed/diamonds.png
Executable file → Normal file
|
Before Width: | Height: | Size: 1.7 KiB After Width: | Height: | Size: 1.7 KiB |
1180
src/static/css/App.css
Executable file → Normal file
70
src/static/css/checkbox.css
Normal file
@@ -0,0 +1,70 @@
|
||||
.hidden {
|
||||
display: none;
|
||||
}
|
||||
|
||||
.hiddenup {
|
||||
max-height: 0px !important;
|
||||
}
|
||||
|
||||
.checkbox-wrapper > div {
|
||||
display: inline-block;
|
||||
margin-right: 1em;
|
||||
margin-bottom: 1em;
|
||||
}
|
||||
|
||||
.checkbox-wrapper > div:last-child {
|
||||
margin-bottom: 0;;
|
||||
}
|
||||
|
||||
.checkbox-wrapper .switch {
|
||||
display: flex;
|
||||
position: relative;
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
.checkbox-wrapper .switch > * {
|
||||
align-self: center;
|
||||
}
|
||||
|
||||
.checkbox-wrapper .switch input {
|
||||
display: none;
|
||||
}
|
||||
|
||||
|
||||
.checkbox-wrapper .slider {
|
||||
background-color: #ccc;
|
||||
transition: 0.4s;
|
||||
height: 34px;
|
||||
width: 60px;
|
||||
}
|
||||
|
||||
.checkbox-wrapper .slider:before {
|
||||
background-color: #fff;
|
||||
bottom: 4px;
|
||||
content: "";
|
||||
height: 26px;
|
||||
left: 4px;
|
||||
position: absolute;
|
||||
transition: 0.4s;
|
||||
width: 26px;
|
||||
}
|
||||
|
||||
.checkbox-wrapper input:checked+.slider {
|
||||
background-color: #66bb6a;
|
||||
}
|
||||
|
||||
.checkbox-wrapper input:checked+.slider:before {
|
||||
transform: translateX(26px);
|
||||
}
|
||||
|
||||
.checkbox-wrapper .slider.round {
|
||||
border-radius: 34px;
|
||||
}
|
||||
|
||||
.checkbox-wrapper .slider.round:before {
|
||||
border-radius: 50%;
|
||||
}
|
||||
|
||||
.checkbox-wrapper strong {
|
||||
margin-left: .5em;
|
||||
}
|
||||
0
src/static/css/head.css
Executable file → Normal file
0
src/static/favicon.ico
Executable file → Normal file
|
Before Width: | Height: | Size: 97 KiB After Width: | Height: | Size: 97 KiB |
0
src/static/fonts/NeonFuture.ttf
Executable file → Normal file
0
src/static/fonts/RobotoCondensed-Regular.ttf
Executable file → Normal file
0
src/static/fonts/SHUTTLE-X.ttf
Executable file → Normal file
0
src/static/fonts/SunsetClub.otf
Executable file → Normal file
0
src/static/icons/email.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 1.0 KiB After Width: | Height: | Size: 1.0 KiB |
0
src/static/icons/github.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 759 B After Width: | Height: | Size: 759 B |
0
src/static/icons/globe.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 2.0 KiB After Width: | Height: | Size: 2.0 KiB |
0
src/static/icons/instagram.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 683 B After Width: | Height: | Size: 683 B |
0
src/static/icons/linkedin.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 1.3 KiB After Width: | Height: | Size: 1.3 KiB |
0
src/static/icons/log.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 177 KiB After Width: | Height: | Size: 177 KiB |
0
src/static/icons/menu.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 764 B After Width: | Height: | Size: 764 B |
|
Before Width: | Height: | Size: 9.5 KiB |
0
src/static/icons/neonfinal3.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 16 KiB After Width: | Height: | Size: 16 KiB |
0
src/static/icons/rasterLogo.png
Executable file → Normal file
|
Before Width: | Height: | Size: 382 KiB After Width: | Height: | Size: 382 KiB |
0
src/static/icons/rasterLogoCircle.png
Executable file → Normal file
|
Before Width: | Height: | Size: 213 KiB After Width: | Height: | Size: 213 KiB |
0
src/static/icons/withBackground.svg
Executable file → Normal file
|
Before Width: | Height: | Size: 16 KiB After Width: | Height: | Size: 16 KiB |
41
src/static/js/checkbox.js
Normal file
@@ -0,0 +1,41 @@
|
||||
function toggleCheckbox(dir) {
|
||||
let toggles = document.querySelectorAll(
|
||||
".checkbox-wrapper input[type=checkbox]"
|
||||
);
|
||||
let allow = [];
|
||||
toggles.forEach(function (x) {
|
||||
if (x.checked) {
|
||||
allow.push(x.id);
|
||||
}
|
||||
});
|
||||
let list = document.querySelectorAll(".checkbox-client > div");
|
||||
if (allow.length === 0) {
|
||||
for (let i = 0; i < list.length; i++) {
|
||||
list[i].classList.remove("hidden" + dir);
|
||||
}
|
||||
} else {
|
||||
for (let i = 0; i < list.length; i++) {
|
||||
list[i].classList.remove("hidden" + dir);
|
||||
for (let x = 0; x < allow.length; x++) {
|
||||
if (!list[i].classList.contains(allow[x])) {
|
||||
list[i].classList.add("hidden" + dir);
|
||||
break;
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
function activeSkill(obj) {
|
||||
if (obj.parentElement.classList.contains("activeSkill")) {
|
||||
obj.parentElement.classList.remove("activeSkill");
|
||||
return;
|
||||
}
|
||||
// document.querySelectorAll(".skill").forEach((x) => {
|
||||
// x.classList.remove("activeSkill");
|
||||
// });
|
||||
while (obj.parentElement.classList.contains("skill")) {
|
||||
obj = obj.parentElement;
|
||||
obj.classList.add("activeSkill");
|
||||
}
|
||||
}
|
||||
26
src/static/js/chessbed.js
Executable file → Normal file
@@ -7,21 +7,17 @@ async function addChessEmbed(username) {
|
||||
setChess({ cName: "Chess.com request failed" });
|
||||
return;
|
||||
}
|
||||
|
||||
if (user.status === 200) {
|
||||
user = await user.json();
|
||||
stats = await stats.json();
|
||||
setChess({
|
||||
cName: user["username"],
|
||||
pic: user.avatar,
|
||||
ratings: {
|
||||
ratings = {
|
||||
rapid: stats.chess_rapid.last.rating,
|
||||
blitz: stats.chess_blitz.last.rating,
|
||||
bullet: stats.chess_bullet.last.rating,
|
||||
tactics: stats.tactics.highest.rating,
|
||||
},
|
||||
});
|
||||
} else if (user.status === 403) {
|
||||
};
|
||||
setChess({ cName: user["username"], pic: user.avatar, ratings: ratings });
|
||||
} else if (user === null || user.status === 403 || user.status === null) {
|
||||
setChess({ cName: "Chess.com request failed" });
|
||||
} else {
|
||||
setChess({ cName: "User Not Found" });
|
||||
@@ -37,12 +33,16 @@ function setChess({ cName = null, pic = null, ratings = null }) {
|
||||
document.querySelector(".chessImage").src = pic;
|
||||
}
|
||||
if (ratings) {
|
||||
document.querySelector(".chessRapid .chessStat").textContent = ratings.rapid;
|
||||
document.querySelector(".chessBlitz .chessStat").textContent = ratings.blitz;
|
||||
document.querySelector(".chessBullet .chessStat").textContent = ratings.bullet;
|
||||
document.querySelector(".chessPuzzles .chessStat").textContent = ratings.tactics;
|
||||
document.querySelector(".chessRapid .chessStat").textContent =
|
||||
ratings.rapid;
|
||||
document.querySelector(".chessBlitz .chessStat").textContent =
|
||||
ratings.blitz;
|
||||
document.querySelector(".chessBullet .chessStat").textContent =
|
||||
ratings.bullet;
|
||||
document.querySelector(".chessPuzzles .chessStat").textContent =
|
||||
ratings.tactics;
|
||||
}
|
||||
} catch {
|
||||
console.warn("Chess DOM elements not available (navigated away during fetch)");
|
||||
console.log("fucker clicking so fast the internet can't even keep up");
|
||||
}
|
||||
}
|
||||
|
||||
52
src/static/js/idler.js
Executable file → Normal file
@@ -1,11 +1,8 @@
|
||||
const balls = [];
|
||||
const density = 0.00005;
|
||||
const density = 0.00003;
|
||||
let screenWidth = window.innerWidth + 10;
|
||||
let screenHeight = window.innerHeight + 10;
|
||||
|
||||
const MAX_DIST = 150;
|
||||
const MAX_DIST_SQUARED = MAX_DIST * MAX_DIST;
|
||||
|
||||
class Ball {
|
||||
constructor(x, y, size, speed, angle) {
|
||||
this.x = x;
|
||||
@@ -17,9 +14,8 @@ class Ball {
|
||||
}
|
||||
|
||||
calcChange() {
|
||||
const radians = (this.angle * Math.PI) / 180
|
||||
this.xSpeed = this.speed * Math.sin(radians);
|
||||
this.ySpeed = this.speed * Math.cos(radians);
|
||||
this.xSpeed = this.speed * Math.sin((this.angle * Math.PI) / 180);
|
||||
this.ySpeed = this.speed * Math.cos((this.angle * Math.PI) / 180);
|
||||
}
|
||||
|
||||
update() {
|
||||
@@ -48,17 +44,19 @@ class Ball {
|
||||
|
||||
function setup() {
|
||||
frameRate(15);
|
||||
const pixels = screenHeight * screenWidth;
|
||||
const pix = screenHeight * screenWidth;
|
||||
createCanvas(screenWidth, screenHeight);
|
||||
for (let i = 0; i < pixels * density; i++) {
|
||||
balls.push(new Ball(
|
||||
for (let i = 0; i < pix * density; i++) {
|
||||
let thisBall = new Ball(
|
||||
random(screenWidth),
|
||||
random(screenHeight),
|
||||
random(6) + 3,
|
||||
Math.exp(random(4) + 3) / 1000 + 1,
|
||||
random(360)
|
||||
));
|
||||
);
|
||||
balls.push(thisBall);
|
||||
}
|
||||
|
||||
stroke(255);
|
||||
}
|
||||
|
||||
@@ -74,31 +72,21 @@ function draw() {
|
||||
for (let i = 0; i < balls.length; i++) {
|
||||
balls[i].update();
|
||||
}
|
||||
|
||||
// Draw connection lines with additive blending so overlaps brighten
|
||||
blendMode(ADD);
|
||||
strokeWeight(2);
|
||||
|
||||
for (let i = 0; i < balls.length - 1; i++) {
|
||||
const a = balls[i];
|
||||
for (let j = i + 1; j < balls.length; j++) {
|
||||
const b = balls[j];
|
||||
const dx = b.x - a.x;
|
||||
const dy = b.y - a.y;
|
||||
const distSquared = dx * dx + dy * dy;
|
||||
|
||||
if (distSquared < MAX_DIST_SQUARED) {
|
||||
const distance = Math.sqrt(distSquared);
|
||||
if (distance < 75) {
|
||||
stroke(255, 85);
|
||||
} else {
|
||||
const chance = 0.3 ** (((random(0.2) + 0.8) * distance) / MAX_DIST);
|
||||
stroke(255, chance < 0.5 ? 40 : 75);
|
||||
let distance = dist(balls[i].x, balls[i].y, balls[j].x, balls[j].y);
|
||||
if (distance < 100){
|
||||
stroke(150);
|
||||
line(balls[i].x, balls[i].y, balls[j].x, balls[j].y);
|
||||
}
|
||||
line(a.x, a.y, b.x, b.y);
|
||||
else if (distance < 150) {
|
||||
stroke(100);
|
||||
let chance = 0.3 ** (((random(0.2) + 0.8) * distance) / 150);
|
||||
if (chance < 0.5) {
|
||||
stroke(50);
|
||||
}
|
||||
line(balls[i].x, balls[i].y, balls[j].x, balls[j].y);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
blendMode(BLEND);
|
||||
}
|
||||
|
||||
128
src/static/js/responsive.js
Executable file → Normal file
@@ -1,107 +1,71 @@
|
||||
function toggleMenu(collapse) {
|
||||
window.onload = function () {
|
||||
onLoaded();
|
||||
};
|
||||
function onLoaded() {
|
||||
window.onresize = function () {
|
||||
resizer();
|
||||
};
|
||||
resizer();
|
||||
}
|
||||
|
||||
function resizer() {
|
||||
const e = document.querySelector(".navControl");
|
||||
if (window.innerWidth > 1400) {
|
||||
// desktop view
|
||||
e.style.maxHeight = `${e.scrollHeight + 10}px`;
|
||||
} else {
|
||||
// mobile view
|
||||
document.querySelector(".header").style.borderBottomWidth = "3px";
|
||||
e.style.maxHeight = "0px";
|
||||
document.querySelectorAll(".navElement *").forEach((x) => {
|
||||
x.style.paddingTop = ".3rem";
|
||||
x.style.paddingBottom = ".3rem";
|
||||
x.style.fontSize = "1rem";
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
function toggleMenu() {
|
||||
if (window.innerWidth < 1400) {
|
||||
const menu = document.querySelector(".navControl");
|
||||
const e = document.querySelector(".navControl");
|
||||
const bar = document.querySelector(".header");
|
||||
const isCollapsed = !menu.style.maxHeight || menu.style.maxHeight === "0px";
|
||||
if (isCollapsed && !collapse) {
|
||||
menu.style.maxHeight = `${menu.scrollHeight + 10}px`;
|
||||
if (e.style.maxHeight === "0px") {
|
||||
e.style.maxHeight = `${e.scrollHeight + 10}px`;
|
||||
bar.style.borderBottomWidth = "0px";
|
||||
} else {
|
||||
menu.style.maxHeight = "0px";
|
||||
e.style.maxHeight = "0px";
|
||||
bar.style.borderBottomWidth = "3px";
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
async function goto(location, { push = true } = {}) {
|
||||
const loadingBar = document.getElementById('loading-bar');
|
||||
|
||||
if (loadingBar) {
|
||||
loadingBar.style.width = ''; // Clear inline style from previous run
|
||||
}
|
||||
|
||||
let loadingTimeout = setTimeout(() => {
|
||||
if (loadingBar) {
|
||||
loadingBar.classList.remove('finish');
|
||||
loadingBar.classList.add('active');
|
||||
loadingBar.classList.add('visible');
|
||||
}
|
||||
}, 150);
|
||||
|
||||
try {
|
||||
const response = await fetch("/api/goto/" + location, {
|
||||
async function goto(location, { push = true, toggle = true } = {}) {
|
||||
let a = await fetch("/api/goto/" + location, {
|
||||
credentials: "include",
|
||||
method: "GET",
|
||||
mode: "cors",
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
throw new Error(`HTTP ${response.status}`);
|
||||
const response = await a.json();
|
||||
if (!location.includes("#")) {
|
||||
window.scrollTo({top: 0, left: 0, behavior:"instant"});
|
||||
}
|
||||
|
||||
// Wait for the full body to download - this is usually the slow part
|
||||
const [metadata, content] = await response.json();
|
||||
|
||||
document.dispatchEvent(new Event('beforenavigate'));
|
||||
|
||||
const root = document.getElementById("root");
|
||||
const metadata = response[0];
|
||||
const content = response[1];
|
||||
let root = document.getElementById("root");
|
||||
root.innerHTML = content;
|
||||
|
||||
// Re-execute scripts
|
||||
root.querySelectorAll("script").forEach(function(oldScript) {
|
||||
const newScript = document.createElement("script");
|
||||
Array.from(oldScript.attributes).forEach(function(attr) {
|
||||
newScript.setAttribute(attr.name, attr.value);
|
||||
root.querySelectorAll("script").forEach((x) => {
|
||||
eval(x.innerHTML);
|
||||
});
|
||||
newScript.textContent = oldScript.textContent;
|
||||
oldScript.parentNode.replaceChild(newScript, oldScript);
|
||||
});
|
||||
|
||||
if (window.location.href.includes("#")) {
|
||||
const id = decodeURIComponent(window.location.hash.substring(1));
|
||||
const el = document.getElementById(id);
|
||||
if (el) el.scrollIntoView();
|
||||
} else {
|
||||
window.scrollTo({ top: 0, left: 0, behavior: "instant" });
|
||||
if (toggle) {
|
||||
toggleMenu();
|
||||
}
|
||||
|
||||
toggleMenu(true);
|
||||
document.querySelector("title").textContent = metadata["title"];
|
||||
if (push) {
|
||||
history.pushState(null, null, metadata["canonical"]);
|
||||
}
|
||||
|
||||
} catch (err) {
|
||||
console.error("Navigation failed:", err);
|
||||
} finally {
|
||||
clearTimeout(loadingTimeout);
|
||||
if (loadingBar && loadingBar.classList.contains('active')) {
|
||||
loadingBar.classList.add('finish');
|
||||
loadingBar.classList.remove('active');
|
||||
setTimeout(() => {
|
||||
if (!loadingBar.classList.contains('active')) {
|
||||
loadingBar.style.width = '0%';
|
||||
loadingBar.classList.remove('finish');
|
||||
loadingBar.classList.remove('visible');
|
||||
}
|
||||
}, 500);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
function backButton() {
|
||||
const path = window.location.pathname;
|
||||
goto(path.substring(1), { push: false });
|
||||
}
|
||||
|
||||
function activeSkill(obj) {
|
||||
let skill = obj.closest(".skill");
|
||||
if (skill.classList.contains("activeSkill")) {
|
||||
skill.classList.remove("activeSkill");
|
||||
return;
|
||||
}
|
||||
while (skill) {
|
||||
skill.classList.add("activeSkill");
|
||||
skill = skill.parentElement.closest(".skill");
|
||||
}
|
||||
const location = window.location.pathname;
|
||||
goto(location.substring(1), { push: false }); // remove slash, goto already does that
|
||||
}
|
||||
|
||||
@@ -1,229 +0,0 @@
|
||||
// Use a global to track the interval and ensure we don't stack listeners
|
||||
if (window.statusIntervalId) {
|
||||
clearInterval(window.statusIntervalId);
|
||||
window.statusIntervalId = null;
|
||||
}
|
||||
|
||||
async function fetchStatus() {
|
||||
try {
|
||||
const response = await fetch('/api/status');
|
||||
if (!response.ok) {
|
||||
throw new Error(`HTTP error! status: ${response.status}`);
|
||||
}
|
||||
const data = await response.json();
|
||||
updateStatusDisplay(data);
|
||||
} catch (error) {
|
||||
console.error('Error fetching status:', error);
|
||||
showError('Failed to fetch service status. Please try again later.');
|
||||
}
|
||||
}
|
||||
|
||||
function updateStatusDisplay(data) {
|
||||
if (data.last_check) {
|
||||
const lastCheck = new Date(data.last_check);
|
||||
const lastUpdateEl = document.getElementById('lastUpdate');
|
||||
if (lastUpdateEl) lastUpdateEl.textContent = `Last checked: ${lastCheck.toLocaleString()}`;
|
||||
}
|
||||
|
||||
if (data.next_check) {
|
||||
const nextCheckEl = document.getElementById('nextUpdate');
|
||||
if (nextCheckEl) {
|
||||
const nextCheck = new Date(data.next_check);
|
||||
nextCheckEl.textContent = `Next check: ${nextCheck.toLocaleString()}`;
|
||||
}
|
||||
}
|
||||
|
||||
if (data.services) {
|
||||
data.services.forEach(function(service) {
|
||||
updateServiceCard(service);
|
||||
});
|
||||
updateOverallStatus(data.services);
|
||||
}
|
||||
|
||||
const refreshBtn = document.getElementById('refreshBtn');
|
||||
if (refreshBtn) {
|
||||
refreshBtn.disabled = false;
|
||||
refreshBtn.textContent = 'Refresh Now';
|
||||
}
|
||||
}
|
||||
|
||||
function getUptimeClass(value) {
|
||||
if (value === null) return 'text-muted';
|
||||
if (value >= 99) return 'text-excellent';
|
||||
if (value >= 95) return 'text-good';
|
||||
if (value >= 90) return 'text-fair';
|
||||
return 'text-poor';
|
||||
}
|
||||
|
||||
function formatUptime(value, label) {
|
||||
const display = value !== null ? `${value}%` : '--';
|
||||
return `${label}: <strong class="${getUptimeClass(value)}">${display}</strong>`;
|
||||
}
|
||||
|
||||
function updateServiceCard(service) {
|
||||
const card = document.getElementById(`status-${service.id}`);
|
||||
if (!card) return;
|
||||
|
||||
const stateDot = card.querySelector('.state-dot');
|
||||
const stateText = card.querySelector('.state-text');
|
||||
const timeDisplay = document.getElementById(`time-${service.id}`);
|
||||
const codeDisplay = document.getElementById(`code-${service.id}`);
|
||||
const uptimeDisplay = document.getElementById(`uptime-${service.id}`);
|
||||
const checksDisplay = document.getElementById(`checks-${service.id}`);
|
||||
|
||||
if (timeDisplay) timeDisplay.textContent = service.response_time !== null ? `${service.response_time}ms` : '--';
|
||||
|
||||
if (codeDisplay) {
|
||||
if (service.status_code !== null) {
|
||||
codeDisplay.textContent = service.status_code;
|
||||
} else {
|
||||
codeDisplay.textContent = service.status === 'unknown' ? 'Unknown' : 'Error';
|
||||
}
|
||||
}
|
||||
|
||||
card.classList.remove('online', 'degraded', 'offline', 'unknown');
|
||||
|
||||
switch (service.status) {
|
||||
case 'online':
|
||||
if (stateDot) stateDot.className = 'state-dot online';
|
||||
if (stateText) stateText.textContent = 'Operational';
|
||||
card.classList.add('online');
|
||||
break;
|
||||
case 'degraded':
|
||||
case 'timeout':
|
||||
if (stateDot) stateDot.className = 'state-dot degraded';
|
||||
if (stateText) stateText.textContent = service.status === 'timeout' ? 'Timeout' : 'Degraded';
|
||||
card.classList.add('degraded');
|
||||
break;
|
||||
case 'offline':
|
||||
if (stateDot) stateDot.className = 'state-dot offline';
|
||||
if (stateText) stateText.textContent = 'Offline';
|
||||
card.classList.add('offline');
|
||||
break;
|
||||
default:
|
||||
if (stateDot) stateDot.className = 'state-dot loading';
|
||||
if (stateText) stateText.textContent = 'Unknown';
|
||||
card.classList.add('unknown');
|
||||
}
|
||||
|
||||
if (uptimeDisplay && service.uptime) {
|
||||
uptimeDisplay.innerHTML = [
|
||||
formatUptime(service.uptime['24h'], '24h'),
|
||||
formatUptime(service.uptime['7d'], '7d'),
|
||||
formatUptime(service.uptime['30d'], '30d'),
|
||||
formatUptime(service.uptime.all_time, 'All'),
|
||||
].join(' | ');
|
||||
}
|
||||
|
||||
if (checksDisplay && service.total_checks !== undefined) {
|
||||
checksDisplay.textContent = service.total_checks;
|
||||
}
|
||||
}
|
||||
|
||||
function updateOverallStatus(services) {
|
||||
const overallBar = document.getElementById('overallStatus');
|
||||
if (!overallBar) return;
|
||||
|
||||
const icon = overallBar.querySelector('.summary-icon');
|
||||
const title = overallBar.querySelector('.summary-title');
|
||||
const subtitle = document.getElementById('summary-subtitle');
|
||||
const onlineCount = document.getElementById('onlineCount');
|
||||
const totalCount = document.getElementById('totalCount');
|
||||
|
||||
const total = services.length;
|
||||
const online = services.filter(function(s) { return s.status === 'online'; }).length;
|
||||
const degraded = services.filter(function(s) { return s.status === 'degraded' || s.status === 'timeout'; }).length;
|
||||
const offline = services.filter(function(s) { return s.status === 'offline'; }).length;
|
||||
|
||||
if (onlineCount) onlineCount.textContent = online;
|
||||
if (totalCount) totalCount.textContent = total;
|
||||
|
||||
overallBar.classList.remove('online', 'degraded', 'offline');
|
||||
if (icon) icon.classList.remove('operational', 'partial', 'major', 'loading');
|
||||
|
||||
// Determine overall status
|
||||
if (online === total) {
|
||||
overallBar.classList.add('online');
|
||||
if (icon) {
|
||||
icon.classList.add('operational');
|
||||
icon.textContent = '\u2713';
|
||||
}
|
||||
if (title) title.textContent = 'All Systems Operational';
|
||||
if (subtitle) subtitle.textContent = `All ${total} services are running normally`;
|
||||
} else if (offline >= Math.ceil(total / 2)) {
|
||||
overallBar.classList.add('offline');
|
||||
if (icon) {
|
||||
icon.classList.add('major');
|
||||
icon.textContent = '\u2715';
|
||||
}
|
||||
if (title) title.textContent = 'Major Outage';
|
||||
if (subtitle) subtitle.textContent = `${offline} service${offline !== 1 ? 's' : ''} offline, ${degraded} degraded`;
|
||||
} else if (offline > 0 || degraded > 0) {
|
||||
overallBar.classList.add('degraded');
|
||||
if (icon) {
|
||||
icon.classList.add('partial');
|
||||
icon.textContent = '\u26A0';
|
||||
}
|
||||
if (title) title.textContent = 'Partial Outage';
|
||||
if (subtitle) {
|
||||
if (offline > 0 && degraded > 0) {
|
||||
subtitle.textContent = `${offline} offline, ${degraded} degraded`;
|
||||
} else if (offline > 0) {
|
||||
subtitle.textContent = `${offline} service${offline !== 1 ? 's' : ''} offline`;
|
||||
} else {
|
||||
subtitle.textContent = `${degraded} service${degraded !== 1 ? 's' : ''} degraded`;
|
||||
}
|
||||
}
|
||||
} else {
|
||||
if (icon) {
|
||||
icon.classList.add('loading');
|
||||
icon.textContent = '\u25D0';
|
||||
}
|
||||
if (title) title.textContent = 'Status Unknown';
|
||||
if (subtitle) subtitle.textContent = 'Waiting for service data';
|
||||
}
|
||||
}
|
||||
|
||||
function showError(message) {
|
||||
const errorDiv = document.createElement('div');
|
||||
errorDiv.className = 'status-error';
|
||||
errorDiv.textContent = message;
|
||||
errorDiv.style.cssText = 'background: rgba(244, 67, 54, 0.2); color: #f44336; padding: 1em; margin: 1em 0; border-radius: 0.5em; text-align: center;';
|
||||
|
||||
const container = document.querySelector('.foregroundContent');
|
||||
if (container) {
|
||||
container.insertBefore(errorDiv, container.firstChild);
|
||||
setTimeout(function() { errorDiv.remove(); }, 5000);
|
||||
}
|
||||
}
|
||||
|
||||
function refreshStatus() {
|
||||
const refreshBtn = document.getElementById('refreshBtn');
|
||||
if (refreshBtn) {
|
||||
refreshBtn.disabled = true;
|
||||
refreshBtn.textContent = 'Checking...';
|
||||
}
|
||||
fetchStatus();
|
||||
}
|
||||
|
||||
function initStatusPage() {
|
||||
if (window.statusIntervalId) {
|
||||
clearInterval(window.statusIntervalId);
|
||||
}
|
||||
fetchStatus();
|
||||
window.statusIntervalId = setInterval(fetchStatus, 60000);
|
||||
}
|
||||
|
||||
function cleanupStatusPage() {
|
||||
if (window.statusIntervalId) {
|
||||
clearInterval(window.statusIntervalId);
|
||||
window.statusIntervalId = null;
|
||||
}
|
||||
document.removeEventListener('beforenavigate', cleanupStatusPage);
|
||||
}
|
||||
|
||||
document.addEventListener('beforenavigate', cleanupStatusPage);
|
||||
|
||||
if (document.getElementById('overallStatus')) {
|
||||
initStatusPage();
|
||||
}
|
||||
40
src/static/json/books.json
Executable file → Normal file
@@ -1,19 +1,11 @@
|
||||
{
|
||||
"selection": [
|
||||
"The Rational Optimist",
|
||||
"The End of the World is Just the Beginning",
|
||||
"When to Rob a Bank",
|
||||
"Freakonomics",
|
||||
"The Accidental Superpower",
|
||||
"Verbal Judo",
|
||||
"Freakonomics",
|
||||
"Zero To One"
|
||||
],
|
||||
"books": {
|
||||
"Fooled By Randomness": {
|
||||
"filename": "fooledbyrandomness.jpg",
|
||||
"link": "https://www.amazon.com/Fooled-Randomness-Hidden-Chance-Markets-dp-B006Q7VYC4/dp/B006Q7VYC4/ref=dp_ob_title_bk",
|
||||
"review": "A lengthy compendium on probabilistic reasoning that helped kick off a curiosity of indefinite computation. There's more ancient philosophy than a book like this really needs but the occasional brazen punchline from the contemporary anecdotes make it bearable."
|
||||
},
|
||||
"The Rational Optimist": {
|
||||
"filename": "ratOpt.jpg",
|
||||
"link": "https://www.amazon.com/Rational-Optimist-Prosperity-Evolves-P-s/dp/0061452068",
|
||||
@@ -39,11 +31,6 @@
|
||||
"link": "https://freakonomics.com/books/",
|
||||
"review": "More like the other Freakonomics books than I expected (cracked storytelling), which is still excellent, but I wished there was greater insights into seeing past conventional wisdom, which is what thinking like a freak means. Still a great book."
|
||||
},
|
||||
"The Tyranny of Metrics": {
|
||||
"filename": "TyrannyOfMetrics.jpg",
|
||||
"link": "https://www.amazon.com/Tyranny-Metrics-Jerry-Z-Muller/dp/0691174954",
|
||||
"review": "Library find. Very appreciated read given my field of study. Adds a new lens on the cost of information and how it impacts us from the cube office to the oval office."
|
||||
},
|
||||
"The Accidental Superpower": {
|
||||
"filename": "theAccidentalSuperpower.jpeg",
|
||||
"link": "https://zeihan.com/",
|
||||
@@ -79,11 +66,6 @@
|
||||
"link": "https://www.amazon.com/Give-Me-Break-Exposed-Hucksters-ebook/dp/B000FC2NF8/",
|
||||
"review": "I expected a boring autobiography-type book, but instead is a glimpse inside Stossel's work that transformed itself as it transformed his view. Was very happy to see a figure of similar personal ideology. Probably made it a little too easy to swallow that pill."
|
||||
},
|
||||
"Reign of Terror": {
|
||||
"filename": "reignofterror.jpg",
|
||||
"link": "https://www.amazon.com/Reign-Terror-Destabilized-America-Produced/dp/1984879774",
|
||||
"review": "Packed with real news events and first person accounts, Reign of Terror chronicles the story of politics and intelligence agencies during the War on Terror. In typical journalist fashion, the populist (read: racist) cause for the events is mostly conjecture to fit a progressive narrative. Nonetheless, a comprehensive history of malpractice in public office."
|
||||
},
|
||||
"Zero To One": {
|
||||
"filename": "zeroToOne.jpeg",
|
||||
"link": "https://www.amazon.com/Zero-One-Notes-Startups-Future/dp/0804139296",
|
||||
@@ -99,26 +81,21 @@
|
||||
"link": "https://www.amazon.com/Discipline-Destiny-Power-Self-Control-Virtues/dp/0593191692",
|
||||
"review": "Much like the first in its series - small chapters (very helpful) each with inspiring insider stories of figures of history. Anyone capable of learning from these figures would benefit greatly from implementing the virtues in this series."
|
||||
},
|
||||
"Right Thing, Right Now": {
|
||||
"filename": "rightthingrightnow.png",
|
||||
"link": "https://www.amazon.com/Right-Thing-Now-Values-Character/dp/0593191714",
|
||||
"review": "As the third in its series, the virtue of justice derives a large portion of its meaning from the previous two. While still an good read with a valuable influence for personal growth, it lacks a distinction between justice as a virtue and fighting for the right cause. Some sections preach for ideological purity while others insist on pragmatism which is a pretty important detail regarding justice."
|
||||
},
|
||||
"On Grand Strategy": {
|
||||
"filename": "onGrandStrategy.jpeg",
|
||||
"link": "https://www.amazon.com/Grand-Strategy-John-Lewis-Gaddis/dp/1594203512",
|
||||
"review": "Book for the academically-inclined. Not fun to read. Big words scary. It's insightful to be sure but I wouldn't read it again. The message on conceptual contradictions has stuck with me. Quite the brain food."
|
||||
},
|
||||
"The Parasitic Mind": {
|
||||
"filename": "theParasiticMind.jpeg",
|
||||
"link": "https://www.amazon.com/Parasitic-Mind-Infectious-Killing-Common/dp/1684512298/",
|
||||
"review": "The humor is the most memorable part but the concepts are no slouches. The contemporary culture war basis makes it tricky to talk about, but it absolutely should be discussed."
|
||||
},
|
||||
"David and Goliath": {
|
||||
"filename": "davidAndGoliath.png",
|
||||
"link": "https://www.amazon.com/David-Goliath-Underdogs-Misfits-Battling/dp/0316239852/",
|
||||
"review": "Book contains takes that may not be hot, but *are* incredibly based. In a sentence: Goliath is only the giant from the wrong perspectives. The only reason it's not one of my favorites is that it's tamer than the aggressively standoffish and hilarious."
|
||||
},
|
||||
"The Scout Mindset": {
|
||||
"filename": "scoutMindset.png",
|
||||
"link": "https://www.amazon.com/Scout-Mindset-People-Things-Clearly-ebook/dp/B07L2HQ26K/",
|
||||
"review": "Felt like a list of things that I already do that I should be more mindful of. Maybe that's just me. There was some interesting mental probablism sprinkled in the first half but the second half did not have much new to say. Good but not eye-opening."
|
||||
},
|
||||
"Verbal Judo": {
|
||||
"filename": "verbalJudo.png",
|
||||
"link": "https://www.amazon.com/Verbal-Judo-Second-Gentle-Persuasion-ebook/dp/B00FJ3CMI6/",
|
||||
@@ -129,11 +106,6 @@
|
||||
"link": "https://www.amazon.com/YOU-READ-ANYONE-David-Lieberman-ebook/dp/B001J6OV0Y",
|
||||
"review": "Not as page-turning as many of the others and clearly not as memorable. The techniques pique curiosity but are difficult to use without practice."
|
||||
},
|
||||
"The Parasitic Mind": {
|
||||
"filename": "theParasiticMind.jpeg",
|
||||
"link": "https://www.amazon.com/Parasitic-Mind-Infectious-Killing-Common/dp/1684512298/",
|
||||
"review": "The humor is the most memorable part but the concepts are no slouches. The contemporary culture war basis makes it tricky to talk about, but it absolutely should be discussed."
|
||||
},
|
||||
"Profiles in Courage": {
|
||||
"filename": "profilesInCourage.jpeg",
|
||||
"link": "https://www.amazon.com/Profiles-Courage-John-F-Kennedy/dp/0060854936",
|
||||
|
||||
18
src/static/json/pages.json
Executable file → Normal file
@@ -5,18 +5,18 @@
|
||||
"description": "Andrew Simonson's Digital Portfolio home",
|
||||
"canonical": "/"
|
||||
},
|
||||
"status": {
|
||||
"template": "status.html",
|
||||
"title":"Andrew Simonson - Status Page",
|
||||
"description": "Status page for my services",
|
||||
"canonical": "/status"
|
||||
},
|
||||
"projects": {
|
||||
"template": "projects.html",
|
||||
"title": "Andrew Simonson - Projects",
|
||||
"description": "Recent projects by Andrew Simonson on his lovely portfolio website :)",
|
||||
"canonical": "/projects"
|
||||
},
|
||||
"about": {
|
||||
"template": "about.html",
|
||||
"title": "Andrew Simonson - About Me",
|
||||
"description": "About Andrew Simonson",
|
||||
"canonical": "/about"
|
||||
},
|
||||
"books": {
|
||||
"template": "books.html",
|
||||
"title": "Andrew Simonson - Bookshelf",
|
||||
@@ -28,11 +28,5 @@
|
||||
"title":"You've been ducked!",
|
||||
"description": "Face it, you've been ducked",
|
||||
"canonical": "/duck"
|
||||
},
|
||||
"certificates": {
|
||||
"template": "certs.html",
|
||||
"title": "Certificates and Awards",
|
||||
"description": "Certificates and Awards Listing",
|
||||
"canonical": "/certs"
|
||||
}
|
||||
}
|
||||
|
||||
139
src/static/json/projects.json
Executable file → Normal file
@@ -1,65 +1,81 @@
|
||||
{
|
||||
"Antietam-Conococheague Watershed Monitoring": {
|
||||
"status": "complete",
|
||||
"classes": "geospacial",
|
||||
"bgi": "watershedTemps.png",
|
||||
"content": "Live geospacial analysis of Maryland's Antietam and Conococheague sub-watersheds, monitoring water quality and temperatures through the summer months for governmental environment health review boards."
|
||||
},
|
||||
"Automotive Brand Valuation Analysis": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "automotiveBrandAnalysis.png",
|
||||
"content": "Brand valuation analysis of the used car market, measuring value decay by mileage to extrapolate qualities such as percieved reliability and persistent value of luxury features."
|
||||
},
|
||||
"RIT Hotspots": {
|
||||
"status": "incomplete",
|
||||
"status": "WIP",
|
||||
"classes": "pinned geospacial programming",
|
||||
"bgi": "hotspotsrit.png",
|
||||
"content": "Live crowd migration map using RIT occupancy data. It seems RIT didn't like me exposing their surveilance state but since they didn't want to talk to me about it they instead changed the service response schema a few times. When that didn't stop me they just shut down the whole service. Nerds.",
|
||||
"content": "Live crowd migration map using RIT occupancy data",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/hotspotsrit", "git repo"]
|
||||
[
|
||||
"github", "https://github.com/asimonson1125/hotspotsrit", "git repo"
|
||||
],
|
||||
[
|
||||
"globe", "https://asimonson.com/hotspots", "demo"
|
||||
]
|
||||
]
|
||||
},
|
||||
"Calorimetry Analysis Engineering": {
|
||||
"status": "complete",
|
||||
"classes": "pinned programming",
|
||||
"bgi": "calorimeterAnalysis.png",
|
||||
"content": "An analytical toolkit designed for reactive chemistry analysis, especially calorimetry. Works include automatic analysis, alerting unusual and dangerous results derived from a wide range of testing envrionments and equipment",
|
||||
"links": []
|
||||
"LogicFlow": {
|
||||
"status": "incomplete",
|
||||
"classes": "programming",
|
||||
"bgi": "logicflow.jpg",
|
||||
"content": "Translate paragraphs to logical flowcharts, powered by ChatGPT Winner of CSHacks' Best Use of AI by Paychex",
|
||||
"links": [
|
||||
[
|
||||
"github", "https://github.com/asimonson1125/LogicFlow", "git repo"
|
||||
],
|
||||
[
|
||||
"globe", "https://devpost.com/software/logicflow", "Hackathon listing"
|
||||
]
|
||||
]
|
||||
},
|
||||
"Geography of Alternative Energy": {
|
||||
"Alternative Energy Map": {
|
||||
"status": "complete",
|
||||
"classes": "pinned geospacial",
|
||||
"bgi": "energyGeography.png",
|
||||
"content": "An ArcGIS geospacial analysis comparing the difference in effectiveness of wind, solar, and geothermal energy across the continental 48 United States.",
|
||||
"bgi": "geovisF.png",
|
||||
"content": "ArcGIS Map of the most effective alternative energy sources in the continental United States",
|
||||
"links": [
|
||||
[
|
||||
"globe",
|
||||
"https://ritarcgis.maps.arcgis.com/apps/dashboards/17d5bda01edc4a2eb6205a4922d889c9",
|
||||
"Dashboard"
|
||||
"ArcGIS"
|
||||
]
|
||||
]
|
||||
},
|
||||
"OccupyRIT": {
|
||||
"status": "complete",
|
||||
"classes": "pinned programming",
|
||||
"status": "WIP",
|
||||
"classes": "programming",
|
||||
"bgi": "occupyRIT.png",
|
||||
"content": "Collects RIT Gym Occupancy data, determining busiest workout times",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/Occupy-RIT", "git repo"]
|
||||
]
|
||||
},
|
||||
"Portfolio Website": {
|
||||
"Chesscom Embeds": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "chessbed.png",
|
||||
"content": "A template for creating Chess.com user profile embeds",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/chesscom-embed", "git repo"]
|
||||
]
|
||||
},
|
||||
"Resume": {
|
||||
"status": "WIP",
|
||||
"classes": "programming",
|
||||
"content": "This website is my personal sandbox where I've integrated some of my data projects via docker cluster. It is self hosted and zero-trust secure while remaining dynamic and free of the tech debt that comes with pre-designed sites and excessive framework application. Yeah, I can do E2E.",
|
||||
"bgi": "resume.png",
|
||||
"content": "My Resume, made in LaTeX with a custom design derived by the AltaCV template on OverLeaf",
|
||||
"links": [
|
||||
["globe", "https://asimonson.com", "Homepage"],
|
||||
[
|
||||
"github",
|
||||
"https://github.com/asimonson1125/asimonson1125.github.io",
|
||||
"git repo"
|
||||
["github", "https://github.com/asimonson1125/Resume", "git repo"],
|
||||
["globe", "https://asimonson.com/Resume.pdf", "Resume"]
|
||||
]
|
||||
},
|
||||
"Digital Portfolio": {
|
||||
"status": "WIP",
|
||||
"classes": "programming",
|
||||
"bgi": "website.png",
|
||||
"content": "My personal portfolio website (you're on it now!)",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/asimonson1125.github.io", "git repo"],
|
||||
["globe", "https://asimonson.com", "site link"]
|
||||
]
|
||||
},
|
||||
"Slate": {
|
||||
@@ -68,21 +84,62 @@
|
||||
"bgi": "slate.png",
|
||||
"content": "Slate is a web app designed to help event coordinators schedule events by congregating participant calendar data. Includes Computer Science House account integration",
|
||||
"links": [
|
||||
["globe", "https://slate.csh.rit.edu", "site link"],
|
||||
["github", "https://github.com/asimonson1125/Slate", "git repo"]
|
||||
["github", "https://github.com/asimonson1125/Slate", "git repo"],
|
||||
["globe", "https://slate.csh.rit.edu", "site link"]
|
||||
]
|
||||
},
|
||||
"Monte Carlo Engine for NationsGame": {
|
||||
"HvZ Bot": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "",
|
||||
"content": "A Discord bot to handle role management and statistics for RIT's Humans vs. Zombies games",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/HvZ-bot", "git repo"]
|
||||
]
|
||||
},
|
||||
"FinTech": {
|
||||
"status": "WIP",
|
||||
"classes": "pinned programming",
|
||||
"bgi": "",
|
||||
"content": "A team derived from the RIT Financial Management Association dedicated to learning about financial management of equities using automated solutions developed by students",
|
||||
"links": [
|
||||
["github", "https://github.com/LukeHorigan/Financial-Management-Assocation-", "git repo"]
|
||||
]
|
||||
},
|
||||
"Browser Trivia Bot": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "",
|
||||
"content": "A tampermonkey tool used to automatically answer and submit online trivia forms, which can be tailored to different site layouts. Source currently private.",
|
||||
"links": [
|
||||
]
|
||||
},
|
||||
"NationsGame Rolls Sim": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "ceoOfYugo.png",
|
||||
"content": "A simulator for the browser game, NationsGame, to analyze unit composition and predict in-game victors and unit statistics. Unfortunately, NationsGame is now defunct. Limited screenshots of functionality.",
|
||||
"links": [
|
||||
[
|
||||
"github",
|
||||
"https://github.com/asimonson1125/NG-Rolls-Simulator",
|
||||
"git repo"
|
||||
["github", "https://github.com/asimonson1125/NG-Rolls-Simulator", "git repo"]
|
||||
]
|
||||
},
|
||||
"VEXcode Button Engine": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "vexcodeButtons.jpeg",
|
||||
"content": "VEXcode button library + examples and template for the VEX V5 brain",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/VEXcode-Button-Generator", "git repo"],
|
||||
["globe", "https://www.vexforum.com/t/vexcode-button-generator/72450", "Forum post"]
|
||||
]
|
||||
},
|
||||
"WinKeylogger": {
|
||||
"status": "complete",
|
||||
"classes": "programming",
|
||||
"bgi": "",
|
||||
"content": "A C++ keylogger for windows based off a Udemy course with my custom modifications and powershell script",
|
||||
"links": [
|
||||
["github", "https://github.com/asimonson1125/WinKeylogger", "git repo"]
|
||||
]
|
||||
}
|
||||
}
|
||||
|
||||
43
src/static/json/skills.json
Executable file → Normal file
@@ -1,35 +1,26 @@
|
||||
{
|
||||
"Data and AI": {
|
||||
"ML": {
|
||||
"PySpark ML": {},
|
||||
"Numpy/Pandas/Polars": {},
|
||||
"TensorFlow": {},
|
||||
"Scikit": {}
|
||||
"Python": {
|
||||
"PyTorch/TensorFlow": {},
|
||||
"Numpy/Pandas": {},
|
||||
"Selenium/BS4": {}
|
||||
},
|
||||
"PySpark": {},
|
||||
"Selenium/BS4 Web Hacking": {},
|
||||
"SQL": {},
|
||||
"Declarative Pipelines": {},
|
||||
"ArcGIS": {}
|
||||
},
|
||||
"DevOps": {
|
||||
"Docker": {},
|
||||
"Microsoft Azure": {},
|
||||
"Databricks": {},
|
||||
"Kubernetes/Openshift": {},
|
||||
"Cloudflare": {},
|
||||
"Bash": {}
|
||||
"R": {},
|
||||
"SQL": {}
|
||||
},
|
||||
"Frontend": {
|
||||
"Flask (Python)": {},
|
||||
"REST APIs": {},
|
||||
"Web Scraping": {}
|
||||
"React (Javascript)": {},
|
||||
"Angular (Typescript)": {}
|
||||
},
|
||||
"Offline Skills": {
|
||||
"Circuitry": {},
|
||||
"Skiing": {},
|
||||
"Chess": {},
|
||||
"Plinking": {},
|
||||
"Building something with trash that solves my problems": {}
|
||||
"Backend & DevOps": {
|
||||
"DevOps": {
|
||||
"Docker": {},
|
||||
"Microsoft Azure": {},
|
||||
"Kubernetes/Openshift": {},
|
||||
"Bash": {}
|
||||
},
|
||||
"C#": {},
|
||||
"C++": {}
|
||||
}
|
||||
}
|
||||
|
||||
0
src/static/json/timeline.json
Executable file → Normal file
BIN
src/static/photos/AcademicTeam.jpg
Normal file
|
After Width: | Height: | Size: 98 KiB |
BIN
src/static/photos/WeThePeople.jpg
Normal file
|
After Width: | Height: | Size: 813 KiB |
BIN
src/static/photos/WeThePeople_Districts.jpg
Normal file
|
After Width: | Height: | Size: 898 KiB |
BIN
src/static/photos/WeThePeople_NationalsSetup.jpg
Normal file
|
After Width: | Height: | Size: 463 KiB |
|
Before Width: | Height: | Size: 987 B |
|
Before Width: | Height: | Size: 6.7 KiB |
|
Before Width: | Height: | Size: 1.4 KiB |
|
Before Width: | Height: | Size: 4.6 KiB |
|
Before Width: | Height: | Size: 2.0 KiB |
|
Before Width: | Height: | Size: 1.7 KiB |
|
Before Width: | Height: | Size: 620 B |
0
src/static/photos/books/12RulesForLife.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 16 KiB After Width: | Height: | Size: 16 KiB |
0
src/static/photos/books/BeyondOrder.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 22 KiB After Width: | Height: | Size: 22 KiB |
0
src/static/photos/books/HitchhikersGuideToTheGalaxy.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 320 KiB After Width: | Height: | Size: 320 KiB |
|
Before Width: | Height: | Size: 110 KiB |
0
src/static/photos/books/autobioOfJefferson.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 26 KiB After Width: | Height: | Size: 26 KiB |
0
src/static/photos/books/courageIsCalling.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 40 KiB After Width: | Height: | Size: 40 KiB |
0
src/static/photos/books/davidAndGoliath.png
Executable file → Normal file
|
Before Width: | Height: | Size: 64 KiB After Width: | Height: | Size: 64 KiB |
0
src/static/photos/books/disciplineIsDestiny.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 44 KiB After Width: | Height: | Size: 44 KiB |
0
src/static/photos/books/disunitedNations.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 40 KiB After Width: | Height: | Size: 40 KiB |
|
Before Width: | Height: | Size: 17 KiB |
0
src/static/photos/books/freakonomics.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 90 KiB After Width: | Height: | Size: 90 KiB |
0
src/static/photos/books/giveMeABreak.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 37 KiB After Width: | Height: | Size: 37 KiB |
0
src/static/photos/books/makeYourBed.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 32 KiB After Width: | Height: | Size: 32 KiB |
0
src/static/photos/books/no-they-cant.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 308 KiB After Width: | Height: | Size: 308 KiB |
0
src/static/photos/books/onGrandStrategy.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 111 KiB After Width: | Height: | Size: 111 KiB |
0
src/static/photos/books/profilesInCourage.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 144 KiB After Width: | Height: | Size: 144 KiB |
0
src/static/photos/books/ratOpt.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 164 KiB After Width: | Height: | Size: 164 KiB |
|
Before Width: | Height: | Size: 126 KiB |
|
Before Width: | Height: | Size: 204 KiB |
|
Before Width: | Height: | Size: 253 KiB |
0
src/static/photos/books/superfreakonomics.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 235 KiB After Width: | Height: | Size: 235 KiB |
0
src/static/photos/books/theAbsentSuperpower.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 54 KiB After Width: | Height: | Size: 54 KiB |
0
src/static/photos/books/theAccidentalSuperpower.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 79 KiB After Width: | Height: | Size: 79 KiB |
0
src/static/photos/books/theEndOfTheWorldIsJustTheBeginning.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 140 KiB After Width: | Height: | Size: 140 KiB |
0
src/static/photos/books/theParasiticMind.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 35 KiB After Width: | Height: | Size: 35 KiB |
0
src/static/photos/books/theStormBeforeTheCalm.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 119 KiB After Width: | Height: | Size: 119 KiB |
0
src/static/photos/books/thinkLikeAFreak.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 32 KiB After Width: | Height: | Size: 32 KiB |
0
src/static/photos/books/verbalJudo.png
Executable file → Normal file
|
Before Width: | Height: | Size: 201 KiB After Width: | Height: | Size: 201 KiB |
0
src/static/photos/books/whenToRobABank.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 129 KiB After Width: | Height: | Size: 129 KiB |
0
src/static/photos/books/where-good-ideas-come-from.png
Executable file → Normal file
|
Before Width: | Height: | Size: 184 KiB After Width: | Height: | Size: 184 KiB |
0
src/static/photos/books/youCanReadAnyone.jpg
Executable file → Normal file
|
Before Width: | Height: | Size: 14 KiB After Width: | Height: | Size: 14 KiB |
0
src/static/photos/books/zeroToOne.jpeg
Executable file → Normal file
|
Before Width: | Height: | Size: 71 KiB After Width: | Height: | Size: 71 KiB |
0
src/static/photos/projects/ceoOfYugo.png → src/static/photos/ceoOfYugo.png
Executable file → Normal file
|
Before Width: | Height: | Size: 98 KiB After Width: | Height: | Size: 98 KiB |
BIN
src/static/photos/chessbed.png
Normal file
|
After Width: | Height: | Size: 54 KiB |
|
Before Width: | Height: | Size: 203 KiB |
|
Before Width: | Height: | Size: 42 KiB |
BIN
src/static/photos/geovisF.png
Normal file
|
After Width: | Height: | Size: 1.9 MiB |
0
src/static/photos/gifs/duck-spinning.gif
Executable file → Normal file
|
Before Width: | Height: | Size: 936 KiB After Width: | Height: | Size: 936 KiB |
|
Before Width: | Height: | Size: 14 KiB |