Skip to content

Commit ac067aa

Browse files
committed
feat: python project setup
1 parent 6292940 commit ac067aa

File tree

10 files changed

+941
-1
lines changed

10 files changed

+941
-1
lines changed

.github/workflows/python-package.yml

+33
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
# This workflow will install Python dependencies, run tests and lint with a variety of Python versions
2+
# For more information see: https://docs.github.com/en/actions/automating-builds-and-tests/building-and-testing-python
3+
4+
name: Python package
5+
6+
on:
7+
push:
8+
branches: [ "master" ]
9+
pull_request:
10+
branches: [ "master" ]
11+
12+
jobs:
13+
build:
14+
15+
runs-on: ubuntu-latest
16+
strategy:
17+
fail-fast: false
18+
matrix:
19+
python-version: ["3.12"]
20+
21+
steps:
22+
- uses: actions/checkout@v4
23+
- name: Set up Python ${{ matrix.python-version }}
24+
uses: actions/setup-python@v3
25+
with:
26+
python-version: ${{ matrix.python-version }}
27+
- name: Install dependencies
28+
run: |
29+
python -m pip install poetry
30+
python -m poetry install
31+
# - name: Test with pytest
32+
# run: |
33+
# python -m poetry run pytest

Dockerfile

+16
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,16 @@
1+
FROM python:3.12.9-bookworm
2+
ENV POETRY_VERSION=1.8.4
3+
RUN pip install "poetry==$POETRY_VERSION"
4+
# ENV PYTHONPATH="$PYTHONPATH:/app"
5+
6+
WORKDIR /app
7+
8+
COPY poetry.lock pyproject.toml /app/
9+
RUN poetry config installer.max-workers 10 && \
10+
poetry config virtualenvs.create false && \
11+
apt-get update && apt-get install -y g++ && \
12+
poetry install --no-interaction --no-root
13+
14+
COPY rock_spawner /app/rock_spawner
15+
16+
ENTRYPOINT sh start.sh

Makefile

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
env_path=.env
2+
3+
build:
4+
poetry build
5+
6+
install:
7+
poetry install
8+
9+
update:
10+
poetry lock
11+
12+
#test:
13+
# poetry run pytest -s
14+
15+
shell:
16+
poetry shell
17+
18+
run:
19+
poetry run dotenv -f "$(env_path)" run uvicorn rock_spawner.main:app --reload --port 8086
20+
21+
#lint:
22+
# poetry run pre-commit run --all-files
23+
24+
docker-build:
25+
docker build --no-cache=true -t obiba/rock-spawner:snapshot .

README.md

+21-1
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,22 @@
11
# rock-spawner
2-
Rock server pod spawner in a Kubernetes environment
2+
3+
OBiBa/Rock server pod spawner in a Kubernetes environment. This application runs and manages on-demand Rock servers, for single client usage. Allows K8s cluster to use minimal resources, and to always start a R session from a clean environment.
4+
5+
## Development
6+
7+
```sh
8+
make install
9+
make run
10+
```
11+
12+
Then connect to http://localhost:8086/docs to get the API documentation.
13+
14+
## Environment Variables
15+
16+
```sh
17+
# Service authentication key
18+
API_KEYS=changeme
19+
20+
# Kubernetes variables
21+
# ...
22+
```

poetry.lock

+733
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

pyproject.toml

+22
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,22 @@
1+
[tool.poetry]
2+
name = "rock-spawner"
3+
version = "0.1.0"
4+
description = "OBiBa/Rock server pod spawner in a Kubernetes environment"
5+
authors = ["Yannick Marcon <[email protected]>"]
6+
license = "GPLv3"
7+
readme = "README.md"
8+
9+
[tool.poetry.dependencies]
10+
python = "^3.12"
11+
fastapi = "^0.115.11"
12+
kubernetes = "^32.0.1"
13+
pydantic-settings = "^2.8.1"
14+
uvicorn = "^0.34.0"
15+
16+
17+
[tool.poetry.group.dev.dependencies]
18+
python-dotenv = {extras = ["cli"], version = "^1.0.1"}
19+
20+
[build-system]
21+
requires = ["poetry-core"]
22+
build-backend = "poetry.core.masonry.api"

rock_spawner/auth.py

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
from fastapi import HTTPException, status, Security
2+
from fastapi.security import APIKeyHeader
3+
from .config import config
4+
5+
API_KEYS = config.API_KEYS.split(",")
6+
7+
api_key_header = APIKeyHeader(name="x-api-key", auto_error=False)
8+
9+
10+
def get_api_key(
11+
api_key_header: str = Security(api_key_header),
12+
) -> str:
13+
"""Retrieve and validate an API key from the query parameters or HTTP header.
14+
15+
Args:
16+
api_key_header: The API key passed in the HTTP header.
17+
18+
Returns:
19+
The validated API key.
20+
21+
Raises:
22+
HTTPException: If the API key is invalid or missing.
23+
"""
24+
if api_key_header in API_KEYS:
25+
return api_key_header
26+
raise HTTPException(
27+
status_code=status.HTTP_401_UNAUTHORIZED,
28+
detail="Invalid or missing API Key",
29+
)

rock_spawner/config.py

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
from pydantic_settings import BaseSettings
2+
from functools import lru_cache
3+
4+
5+
class Config(BaseSettings):
6+
7+
API_KEYS: str
8+
9+
10+
@lru_cache()
11+
def get_config():
12+
return Config()
13+
14+
15+
config = get_config()

rock_spawner/main.py

+46
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
from fastapi import FastAPI, Depends, status, HTTPException
2+
from fastapi.middleware.cors import CORSMiddleware
3+
from .config import config
4+
from logging import basicConfig, INFO, DEBUG
5+
from pydantic import BaseModel
6+
#from .views.companies import router as companies_router
7+
8+
basicConfig(level=DEBUG)
9+
10+
app = FastAPI()
11+
12+
origins = ["*"]
13+
14+
app.add_middleware(
15+
CORSMiddleware,
16+
allow_origins=origins,
17+
allow_credentials=True,
18+
allow_methods=["*"],
19+
allow_headers=["*"],
20+
)
21+
22+
class HealthCheck(BaseModel):
23+
"""Response model to validate and return when performing a health check."""
24+
status: str = "OK"
25+
26+
@app.get(
27+
"/healthz",
28+
tags=["Healthcheck"],
29+
summary="Perform a Health Check",
30+
response_description="Return HTTP Status Code 200 (OK)",
31+
status_code=status.HTTP_200_OK,
32+
response_model=HealthCheck,
33+
)
34+
async def get_health(
35+
) -> HealthCheck:
36+
"""
37+
Endpoint to perform a healthcheck on for kubenernetes liveness and
38+
readiness probes.
39+
"""
40+
return HealthCheck(status="OK")
41+
42+
# app.include_router(
43+
# companies_router,
44+
# prefix="/company",
45+
# tags=["Companies"],
46+
# )

start.sh

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
uvicorn --host=0.0.0.0 --timeout-keep-alive=0 rock_spawner.main:app --reload

0 commit comments

Comments
 (0)