A Python client library for accessing the Forgejo API.
2.0 introduces significant changes. If you're using 1.0, you can view docs on the 1.0 branch.
- Create an
.envfile in your project directory with theBASE_URLand yourAPI_KEY:
BASE_URL=https://codeberg.org/api/v1
API_KEY=your_api_key- Create a client and call an endpoint:
from pyforgejo import PyforgejoApi
client = PyforgejoApi()
# get a specific repo
repo = client.repository.repo_get(owner='harabat', repo='pyforgejo')
repo
# Repository(allow_fast_forward_only_merge=False, allow_merge_commits=True, allow_rebase=True, ...)
repo.dict()
# {'allow_fast_forward_only_merge': False,
# 'allow_merge_commits': True,
# 'allow_rebase': True,
# ...
# }
# list issues for the repo
issues = client.issue.list_issues(owner=repo.owner.login, repo=repo.name)
[issue.title for issue in issues]
# ['Normalize option model names',
# 'Calling methods from client',
# '`parsed` is None for most methods',
# '`openapi-python-client` does not support `text/plain` requests']The client follows this pattern for calling endpoints:
client.<resource>.<operation_id>(args)where:
<resource>: the API resource (e.g.,repository,issue,user)<operation_id>: the specific operation, derived from the OpenAPI spec'soperationId(converted to snake_case)
You can find the resource and operation_id either in the Swagger spec or in the API reference.
pip install pyforgejo- API Usage | Forgejo: user guide for the Forgejo API
- Forgejo API | Codeberg: API reference for Forgejo
- Forgejo API Swagger spec | Codeberg: Forgejo API Swagger spec
- About Swagger Specification | Documentation | Swagger: docs for Swagger spec
- The OpenAPI Specification Explained | OpenAPI Documentation: docs for OpenAPI spec
pyforgejo 2.0 is generated with fern, based on a slightly edited Forgejo OpenAPI spec.
The user experience and code architecture of the fern-generated client follow best practice. As the library is tested by users, we will identify any issues inherent to fern that prove limiting to pyforgejo: if we find such issues and cannot patch them upstream, the current codebase provides a good foundation for further development and any divergence from fern would not affect the vast majority of usecases.
- Install fern, initialise a new workspace, and specify
pyforgejoas the name of your organisation (= client).
npm install -g fern-api
fern init --openapi https://code.forgejo.org/swagger.v1.json
# Please enter your organization: pyforgejo- Edit the
fern/openapi/openapi.jsonfile to keep onlyAuthorizationHeaderTokeninsecurityDefinitionsandsecurity.
"securityDefinitions": {
"AuthorizationHeaderToken": {
"description": "API tokens must be prepended with \"token\" followed by a space.",
"type": "apiKey",
"name": "Authorization",
"in": "header"
}
},
"security": [
{
"AuthorizationHeaderToken": []
}
]-
Convert Forgejo's Swagger (v2) API spec to OpenAPI v3 via https://converter.swagger.io/.
-
Modify endpoints with multiple return types in
fern/openapi/openapi.json.
"/repos/{owner}/{repo}/contents/{filepath}": {
"get": {
// ...
"responses": {
"200": {
- "$ref": "#/components/responses/ContentsResponse"
+ "description": "A single file's contents or a directory listing",
+ "content": {
+ "application/json": {
+ "schema": {
+ "oneOf": [
+ {
+ "$ref": "#/components/schemas/ContentsResponse"
+ },
+ {
+ "type": "array",
+ "items": {
+ "$ref": "#/components/schemas/ContentsResponse"
+ }
+ }
+ ]
+ }
+ },
+ "text/html": {
+ "schema": {
+ "oneOf": [
+ {
+ "$ref": "#/components/schemas/ContentsResponse"
+ },
+ {
+ "type": "array",
+ "items": {
+ "$ref": "#/components/schemas/ContentsResponse"
+ }
+ }
+ ]
+ }
+ }
+ }
},
"404": {
"$ref": "#/components/responses/notFound"
}
}
},
// ...
},- Add the Python SDK generator to
fern.
fern add fernapi/fern-python-sdk- Remove the other generators and modify the name of the output dir to
pyforgejo.
# yaml-language-server: $schema=https://schema.buildwithfern.dev/generators-yml.json
api:
specs:
- openapi: openapi/openapi.json
default-group: local
groups:
local:
generators:
- - name: fernapi/fern-typescript-sdk
- # ...
- name: fernapi/fern-python-sdk
version: x.x.x
output:
location: local-file-system
- path: ../sdks/python
+ path: ../sdks/pyforgejo- Generate the client (output will be in
sdks/pyforgejo).
fern generate
# you'll have to login to GitHub- Create a
.envfile insdks/pyforgejowith yourBASE_URLandAPI_KEY.
BASE_URL=https://codeberg.org/api/v1
API_KEY="token your_api_key"- Modify the
PyforgejoApiandAsyncPyforgejoApiclasses insdks/pyforgejo/pyforgejo/client.pyto use environment variables.
# ...
from .user.client import AsyncUserClient
+import os
+from dotenv import load_dotenv
+
+load_dotenv()
+
+BASE_URL = os.getenv('BASE_URL')
+API_KEY = os.getenv('API_KEY')
class PyforgejoApi:
# ...
base_url : typing.Optional[str]
- The base url to use for requests from the client.
+ The base url to use for requests from the client. Defaults to BASE_URL from .env file.
# ...
- api_key : str
+ api_key : typing.Optional[str]
+ The API key to use for authentication. Defaults to API_KEY from .env file.
# ...
def __init__(
# ...
- api_key: str,
+ api_key: typing.Optional[str] = None,
# ...
):
+ base_url = base_url or BASE_URL
+ api_key = api_key or API_KEY
+
+ if not base_url:
+ raise ValueError("base_url must be provided either as an .env variable or as an argument")
+ if not api_key:
+ raise ValueError("api_key must be provided either as an .env variable or as an argument")
# same for AsyncPyforgejoApi- Update handling of
api_keyincore/client_wrapper.py.
def get_headers(self) -> typing.Dict[str, str]:
headers: typing.Dict[str, str] = {
"X-Fern-Language": "Python",
}
- headers["Authorization"] = self.api_key
+ headers["Authorization"] = f"token {self.api_key.replace('token ', '')}"
return headers- Create a virtual environment and install the lib.
cd /path/to/sdks
uv init
uv venv
uv pip install -e .
uv pip install pipreqs
uv run pipreqs ./pyforgejo --savepath requirements.txt
uv add -r requirements.txt
uv sync- Use the client as shown in the Usage section.
# uv pip install ipython
# uv run ipython
from pyforgejo import PyforgejoApi
client = PyforgejoApi()
user = client.user.get_current()- Run tests (tests need to be cloned from https://codeberg.org/harabat/pyforgejo/src/branch/main/tests).
uv pip install pytest
uv run pytest -v tests/test_client.py