Skip to content

Commit

Permalink
Add fastapi init profile and fastapi-framework extension
Browse files Browse the repository at this point in the history
  • Loading branch information
javierdelapuente committed Aug 30, 2024
1 parent 0865757 commit 290f641
Show file tree
Hide file tree
Showing 7 changed files with 659 additions and 24 deletions.
62 changes: 62 additions & 0 deletions rockcraft/commands/init.py
Original file line number Diff line number Diff line change
Expand Up @@ -276,6 +276,68 @@ class InitCommand(AppCommand):
"""
)
),
"fastapi-framework": _InitProfile(
rockcraft_yaml=textwrap.dedent(
"""\
name: {name}
# see {versioned_url}/explanation/bases/
# for more information about bases and using 'bare' bases for chiselled rocks
base: [email protected] # the base environment for this FastAPI application
version: '0.1' # just for humans. Semantic versioning is recommended
summary: A summary of your FastAPI application # 79 char long summary
description: |
This is fastapi project's description. You have a paragraph or two to tell the
most important story about it. Keep it under 100 words though,
we live in tweetspace and your description wants to look good in the
container registries out there.
# the platforms this rock should be built on and run on.
# you can check your architecture with `dpkg --print-architecture`
platforms:
amd64:
# arm64:
# ppc64el:
# s390x:
# to ensure the FastAPI-framework extension works properly, your FastAPI application
# should have an ASGI entrypoint variable named `app`. This variable has to be defined
# in one of the following places:
# 1. `app.py` file in the base directory
# 2. In any of the following directories, the extension will look for the variable
# in the files __init__.py, app.py or main.py:
# a. `app` directory.
# b. `src` directory.
# c. A directory with the same name as the project.
# a `requirements.txt` file with at least the fastapi/starlette package should also
# exist in the base directory.
# see {versioned_url}/reference/extensions/fastapi-framework
# for more information.
extensions:
- fastapi-framework
# uncomment the sections you need and adjust according to your requirements.
# parts: # you need to uncomment this line to add or update any part.
# fastapi-framework/install-app:
# prime:
# # by default, only the files in app.py, app/, src/, "project name/" templates/,
# # static/, migrate, migrate.sh and main.py are copied into the image.
# # You can modify the list below to override the default list and
# # include or exclude specific files/directories in your project.
# # note: prefix each entry with "app/" followed by the local path.
# - app/app
# - app/templates
# - app/static
# you may need Ubuntu packages to build a python dependency. Add them here if necessary.
# fastapi-framework/dependencies:
# build-packages:
# # for example, if you need pkg-config and libxmlsec1-dev to build one
# # of your packages:
# - pkg-config
# - libxmlsec1-dev
"""
),
),
}
_DEFAULT_PROFILE = "simple"

Expand Down
2 changes: 2 additions & 0 deletions rockcraft/extensions/__init__.py
Original file line number Diff line number Diff line change
Expand Up @@ -17,6 +17,7 @@
"""Extension processor and related utilities."""

from ._utils import apply_extensions
from .fastapi import FastAPIFramework
from .go import GoFramework
from .gunicorn import DjangoFramework, FlaskFramework
from .registry import get_extension_class, get_extension_names, register, unregister
Expand All @@ -30,5 +31,6 @@
]

register("django-framework", DjangoFramework)
register("fastapi-framework", FastAPIFramework)
register("flask-framework", FlaskFramework)
register("go-framework", GoFramework)
37 changes: 37 additions & 0 deletions rockcraft/extensions/_python_utils.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
# -*- Mode:Python; indent-tabs-mode:nil; tab-width:4 -*-
#
# Copyright 2024 Canonical Ltd.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License version 3 as
# published by the Free Software Foundation.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.

"""Utils for Python based extensions."""

import ast
import pathlib


def has_global_variable(source_file: pathlib.Path, variable_name: str) -> bool:
"""Check the given Python source code has a global variable defined."""
tree = ast.parse(source_file.read_text(encoding="utf-8"), filename=source_file)
for node in ast.iter_child_nodes(tree):
if isinstance(node, ast.Assign):
for target in node.targets:
if isinstance(target, ast.Name) and target.id == variable_name:
return True
if isinstance(node, ast.ImportFrom):
for name in node.names:
if (name.asname is not None and name.asname == variable_name) or (
name.asname is None and name.name == variable_name
):
return True
return False
255 changes: 255 additions & 0 deletions rockcraft/extensions/fastapi.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,255 @@
# -*- Mode:Python; indent-tabs-mode:nil; tab-width:4 -*-
#
# Copyright 2024 Canonical Ltd.
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License version 3 as
# published by the Free Software Foundation.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.

"""An extension for the FastAPI application extensions."""

import fnmatch
import os
import pathlib
import posixpath
import re
from typing import Any, Dict, Tuple

from overrides import override

from ..errors import ExtensionError
from ._python_utils import has_global_variable
from .extension import Extension


class FastAPIFramework(Extension):
"""An extension base class for Python FastAPI/starlette framework extension."""

@staticmethod
@override
def get_supported_bases() -> Tuple[str, ...]:
"""Return supported bases."""
return "bare", "[email protected]", "ubuntu:22.04", "[email protected]"

@staticmethod
@override
def is_experimental(base: str | None) -> bool:
"""Check if the extension is in an experimental state."""
return True

@override
def get_root_snippet(self) -> dict[str, Any]:
"""Return the root snippet to apply."""
self._check_project()

snippet: Dict[str, Any] = {
"run_user": "_daemon_",
"services": {
"fastapi": {
"override": "replace",
"startup": "enabled",
"user": "_daemon_",
"working-dir": "/app",
},
},
}
if not self.yaml_data.get("services", {}).get("fastapi", {}).get("command"):
snippet["services"]["fastapi"][
"command"
] = f"/bin/python3 -m uvicorn {self._asgi_path()}"

snippet["parts"] = self._gen_parts()
return snippet

@override
def get_parts_snippet(self) -> dict[str, Any]:
"""Return the parts to add to parts."""
return {}

@override
def get_part_snippet(self) -> dict[str, Any]:
"""Return the part snippet to apply to existing parts."""
return {}

@property
def name(self):
"""Return the normalized name of the rockcraft project."""
return self.yaml_data["name"].replace("-", "_").lower()

def _gen_parts(self) -> dict:
"""Generate the parts associated with this extension."""
stage_packages = ["python3-venv"]
build_environment = []
if self.yaml_data["base"] == "bare":
stage_packages = ["python3.12-venv_ensurepip"]
build_environment = [{"PARTS_PYTHON_INTERPRETER": "python3.12"}]

parts: Dict[str, Any] = {
"fastapi-framework/dependencies": {
"plugin": "python",
"stage-packages": stage_packages,
"source": ".",
"python-packages": ["uvicorn"],
"python-requirements": ["requirements.txt"],
"build-environment": build_environment,
},
"fastapi-framework/install-app": self._gen_install_app_part(),
}
if self.yaml_data["base"] == "bare":
parts["fastapi-framework/runtime"] = {
"plugin": "nil",
"override-build": "mkdir -m 777 ${CRAFT_PART_INSTALL}/tmp",
"stage-packages": [
"bash_bins",
"coreutils_bins",
"ca-certificates_data",
],
}
else:
parts["fastapi-framework/runtime"] = {
"plugin": "nil",
"stage-packages": ["ca-certificates_data"],
}
return parts

def _gen_install_app_part(self):
source_files = [f.name for f in sorted(self.project_root.iterdir())]
# if prime is not in exclude mode, use it to generate the stage and organize
if self._app_prime and self._app_prime[0] and self._app_prime[0][0] != "-":
renaming_map = {
os.path.relpath(file, "app"): file for file in self._app_prime
}
else:
renaming_map = {
f: posixpath.join("app", f)
for f in source_files
if not any(
fnmatch.fnmatch(f, p)
for p in ("node_modules", ".git", ".yarn", "*.rock")
)
}

return {
"plugin": "dump",
"source": ".",
"organize": renaming_map,
"stage": list(renaming_map.values()),
}

@property
def _app_prime(self):
"""Return the prime list for the FastAPI project."""
user_prime = (
self.yaml_data.get("parts", {})
.get("fastapi-framework/install-app", {})
.get("prime", [])
)
if not all(re.match("-? *app/", p) for p in user_prime):
raise ExtensionError(
"fastapi-framework extension requires the 'prime' entry in the "
"fastapi-framework/install-app part to start with app/",
doc_slug="/reference/extensions/fastapi-framework",
logpath_report=False,
)
if not user_prime:
user_prime = [
f"app/{f}"
for f in (
"migrate",
"migrate.sh",
"migrate.py",
"static",
"templates",
)
if (self.project_root / f).exists()
]
if not self.yaml_data.get("services", {}).get("fastapi", {}).get("command"):
user_prime.append("app/" + self._find_asgi_location().parts[0])
return user_prime

def _asgi_path(self) -> str:
asgi_location = self._find_asgi_location()
return (
".".join(
part.removesuffix(".py")
for part in asgi_location.parts
if part != "__init__.py"
)
+ ":app"
)

def _find_asgi_location(self) -> pathlib.Path:
"""Return the path of the asgi entrypoint file.
It will look for an `app` global variable in the following places:
1. `app.py`.
2. Inside the directories `app`, `src` and rockcraft name, in the files
`__init__.py`, `app.py` or `main.py`.
It will return the first instance found or raise FileNotFoundError.
"""
places_to_look = (
(".", "app.py"),
*(
(src_dir, src_file)
for src_dir in ("app", "src", self.name)
for src_file in ("__init__.py", "app.py", "main.py")
),
)

for src_dir, src_file in places_to_look:
full_path = self.project_root / src_dir / src_file
if full_path.exists():
if has_global_variable(full_path, "app"):
return pathlib.Path(src_dir, src_file)

raise FileNotFoundError("ASGI entrypoint not found")

def _check_project(self):
"""Ensure this extension can apply to the current rockcraft project."""
error_messages = self._requirements_txt_error_messages()
if not self.yaml_data.get("services", {}).get("fastapi", {}).get("command"):
error_messages += self._asgi_entrypoint_error_messages()
if error_messages:
raise ExtensionError(
"\n".join("- " + message for message in error_messages),
doc_slug="/reference/extensions/go-framework",
logpath_report=False,
)

def _requirements_txt_error_messages(self) -> list[str]:
"""Ensure the requirements.txt file exists and has fastapi or starlette deps."""
requirements_file = self.project_root / "requirements.txt"
if not requirements_file.exists():
return [
"missing a requirements.txt file. The fastapi-framework extension requires this file with 'fastapi'/'starlette' specified as a dependency."
]

requirements_lines = requirements_file.read_text(encoding="utf-8").splitlines()
if not any(
dep in line.lower()
for line in requirements_lines
for dep in ("fastapi", "starlette")
):
return [
"missing fastapi or starlette package dependency in requirements.txt file."
]

return []

def _asgi_entrypoint_error_messages(self) -> list[str]:
try:
self._find_asgi_location()
except FileNotFoundError:
return ["missing ASGI entrypoint"]
except SyntaxError as e:
return [f"Syntax error in python file in ASGI search path: {e}"]
return []
4 changes: 2 additions & 2 deletions rockcraft/extensions/go.py
Original file line number Diff line number Diff line change
Expand Up @@ -131,7 +131,7 @@ def _get_install_app_part(self) -> Dict[str, Any]:
"organize": organize,
}

if not self._check_go_overriden():
if not self._check_go_overridden():
build_snaps = install_app.get("build-snaps", [])
build_snaps.append("go")
install_app_part["build-snaps"] = build_snaps
Expand All @@ -142,7 +142,7 @@ def _get_install_app_part(self) -> Dict[str, Any]:

return install_app_part

def _check_go_overriden(self) -> bool:
def _check_go_overridden(self) -> bool:
"""Check if the user overrode the go snap or package for the build step."""
install_app = self._get_nested(
self.yaml_data, ["parts", "go-framework/install-app"]
Expand Down
Loading

0 comments on commit 290f641

Please sign in to comment.