OCS OpenAPI tutorial
This page explains how to add OpenAPI support to your app so you can automatically generate an OpenAPI specification from your code.
Please read the whole tutorial before starting to adapt your app.
You do not need to understand everything up front.
The openapi-extractor tool will emit warnings, and it will fail if something is fundamentally broken.
Run it early and often; it will usually point you to what needs fixing.
Psalm also helps validate your changes and catch type issues before they become runtime problems.
Requirements and prerequisites
Before you start, make sure the following requirements are met:
Your app supports >=Nextcloud 28. Nextcloud 28 is the first version that includes the framework changes required for OpenAPI extraction.
Psalm is set up and configured. Psalm is used to validate types and return shapes so
openapi-extractorcan infer accurate schemas.Install Psalm in your app as explained in https://psalm.dev/docs/running_psalm/installation.
You need to Psalm >=``5.9.0``. Older versions contain a bug that prevents the changes in this tutorial from working.
Install and enable the required extensions as explained in Required PHP extensions.
Configure the following issue handlers in your Psalm config (see https://psalm.dev/docs/running_psalm/dealing_with_code_issues for a tutorial):
<LessSpecificReturnStatement errorLevel="error"/> <LessSpecificReturnType errorLevel="error"/> <LessSpecificImplementedReturnType errorLevel="error"/> <MoreSpecificReturnType errorLevel="error"/>
``openapi-extractor`` is installed. This tool generates the OpenAPI specification from your server-side code.
Install
openapi-extractorin your app as explained in https://github.com/nextcloud/openapi-extractor.
Best practices
Note that you can find a step-by-step tutorial after this section. You can read the tutorial first, then come back here for guidance.
In brief:
Prefer OCS endpoints (
OCSController+DataResponse) for public APIsAdd explicit types everywhere (parameters, helper methods, and return types)
Use
\stdClassto represent an empty JSON objectIn OCS endpoints, only throw OCS*Exceptions
Keep response shapes consistent across status-code groups (2xx together, 4xx together)
Use
setHeaders()instead ofaddHeader()Avoid catch-all error wrappers that make every error possible on every endpoint
Add descriptions for controllers, parameters, methods, and status codes
API design and consistency
PREFER to expose your APIs using OCS
It provides a more standardized and easier way to write your APIs. Other methods are considered legacy. For details take a look at OCS.
Examples
class SomeController extends ApiController {
...
public function someControllerMethod(): JSONResponse {
...
return new JSONResponse(...);
}
}
class SomeController extends OCSController {
...
public function someControllerMethod(): DataResponse {
...
return new DataResponse(...);
}
}
CAREFULLY handle empty values in JSON Responses
When defining API responses, it’s important to make explicit whether an empty value should be null, an empty object ({}), or an empty array ([]) in the resulting JSON. The PHP type you return determines this, and using the wrong one can easily lead to confusing or inconsistent results for your API consumers.
Note
In PHP, null, [], and new \stdClass() are distinct types and will be serialized to different values in JSON. This is especially important for OpenAPI consumers, which often expect a consistent type.
Here is how PHP values are serialized to JSON:
PHP Value |
JSON Output |
|---|---|
null |
null |
new stdClass() |
{} |
[] |
[] |
Use
nullto indicate that a value is explicitly absent. This should be preferred for most “empty” responses.Use
new \stdClass()if and only if the client expects an empty object ({}) rather than null. This is sometimes required by schema contracts that always expect an object shape, even if empty.
Important
Returning new \stdClass() as an API response requires at least Nextcloud 28 to reliably serialize to {}.
Avoid returning ``[]`` for endpoints expected to yield a JSON object, as this will serialize to a JSON array ([]), causing downstream consumers to deal with unpredictable types.
If you are modifying or extending existing APIs and are unable to use null or \stdClass() without breaking backward compatibility, you may type the result as list<empty> to signal an empty array is expected.
Examples
/**
* @return DataResponse<Http::STATUS_OK, array, array{}>
*/
public function someControllerMethod() {
// ...
return new DataResponse([]);
}
/**
* @return DataResponse<Http::STATUS_OK, null, array{}>
*/
public function someControllerMethod() {
// ...
return new DataResponse(null); // Serializes to: null in JSON
}
/**
* @return DataResponse<Http::STATUS_OK, \stdClass, array{}>
*/
public function someControllerMethod() {
// ...
return new DataResponse(new \stdClass()); // Serializes to: {} in JSON
}
/**
* @return DataResponse<Http::STATUS_OK, list<empty>, array{}>
*/
public function someControllerMethod() {
// ...
return new DataResponse([]); // Serializes to: [] in JSON
}
DO use the same data structures for the same group of responses
Using null to represent empty data is encouraged.
Keep response shapes consistent within status-code groups: all 2xx responses should use the same data structure, and
all 4xx responses should use the same data structure.
Examples
/**
* @return DataResponse<Http::STATUS_OK, array{name: string}, array{}>|DataResponse<Http::STATUS_CREATED, array{id: int, name: string}, array{}>
*/
public function someControllerMethod() {
...
if (...) {
return new DataResponse(["name" => $name], Http::STATUS_OK);
} else {
return new DataResponse(["id" => $id, "name" => $name], Http::STATUS_CREATED);
}
}
/**
* @return DataResponse<Http::STATUS_BAD_REQUEST, array{error: string}, array{}>|DataResponse<Http::STATUS_FORBIDDEN, array{message: string}, array{}>
*/
public function someControllerMethod() {
...
if (...) {
return new DataResponse(["error" => "bad request"], Http::STATUS_BAD_REQUEST);
} else {
return new DataResponse(["message" => "forbidden"], Http::STATUS_FORBIDDEN);
}
}
/**
* @return DataResponse<Http::STATUS_OK|Http::STATUS_CREATED, array{id: int, name: string}, array{}>
*/
public function someControllerMethod() {
...
if (...) {
return new DataResponse(["id" => $id, "name" => $name], Http::STATUS_OK);
} else {
return new DataResponse(["id" => $id, "name" => $name], Http::STATUS_CREATED);
}
}
/**
* @return DataResponse<Http::STATUS_BAD_REQUEST|Http::STATUS_FORBIDDEN, array{error: string}, array{}>
*/
public function someControllerMethod() {
...
if (...) {
return new DataResponse(["error" => "bad request"], Http::STATUS_BAD_REQUEST);
} else {
return new DataResponse(["error" => "forbidden"], Http::STATUS_FORBIDDEN);
}
}
CONSIDER how your API will be used
When building your API you will probably only think about how to implement in the easiest or best way. You need to consider what your code implies to someone trying to use your API through the OpenAPI specification.
One common pitfall is a generic “catch-all” error handler that is reused across many endpoints. They are great for your API implementation because you have an easy catch-all solution and you do not need to worry about handling every error correctly. They are not great for your OpenAPI documentation and consumers because they will find that every error can occur on every endpoint which is most often not correct. Instead you should implement manual error handling and only return the relevant errors where they can actually appear. You can still use helper methods with generic issue handlers where it makes sense, but only if all the controller methods that call the particular helper method actually throw the caught exceptions.
In particular, avoid patterns that make every endpoint appear to throw every error handled by a shared helper, even when the endpoint cannot actually produce those errors.
Examples
/**
* @return DataResponse<Http::STATUS_OK, array{message: string}, array{}>|DataResponse<Http::STATUS_FORBIDDEN|Http::STATUS_NOT_FOUND, array{error: string}, array{}>
*/
public function someControllerMethod() {
return $this->handleError(function() {
...
if (...) {
throw new PermissionError("some error");
}
...
return ["message" => "some message"];
});
}
/**
* @template T
* @param Closure():T $callback
*
* @return DataResponse<Http::STATUS_OK, T, array{}>|DataResponse<Http::STATUS_FORBIDDEN|Http::STATUS_NOT_FOUND, array{error: string}, array{}>
*/
private function handleError(Closure $callback): DataResponse {
try {
return new DataResponse($callback());
} catch (PermissionError $e) {
$message = ["error" => $e->getMessage()];
return new DataResponse($message, Http::STATUS_FORBIDDEN);
} catch (NotFoundError $e) {
$message = ["error" => $e->getMessage()];
return new DataResponse($message, Http::STATUS_NOT_FOUND);
}
}
/**
* @return DataResponse<Http::STATUS_OK, array{message: string}, array{}>|DataResponse<Http::STATUS_FORBIDDEN, array{error: string}, array{}>
*/
public function someControllerMethod() {
try {
...
if (...) {
throw new PermissionError("some error");
}
...
return new DataResponse(["message" => "some message"]);
} catch (PermissionError $e) {
$message = ["error" => $e->getMessage()];
return new DataResponse($message, Http::STATUS_FORBIDDEN);
}
}
Typing and documentation
DO type controller and helper methods as explicit as possible
The closer you narrow down a type without violating any constraints the better the resulting specification will be. Psalm will catch these problems for you if you configured the issue handlers mentioned above correctly.
DO set all descriptions for parameters and methods
It improves the documentation and makes it easier to understand what your API does.
You can also set descriptions for controllers. Those will be included in the specification. There you can explain what the APIs in the controller do, or give examples of how to use multiple endpoints together.
Examples
class SomeController extends OCSController {
/**
* @return DataResponse<Http::STATUS_OK, array{name: string}, array{}>
*/
public function someControllerMethod(int $id) {
...
return new DataResponse(["name" => name], Http::STATUS_CREATED);
}
}
/**
* Here you can put some explanations about all the endpoints or example code.
*/
class SomeController extends OCSController {
/**
* Here you give a short summary of the method
*
* Here you can give even more details about your method
* and how you can use it.
*
* @param int $id Here you can describe your parameter
*
* @return DataResponse<Http::STATUS_OK, array{name: string}, array{}>
*/
public function someControllerMethod(int $id) {
...
return new DataResponse(["name" => name], Http::STATUS_CREATED);
}
}
Errors and headers
DO NOT throw non-OCS*Exceptions
In OCS endpoints, only throw OCS*Exceptions. Other exception types may result in non-JSON (plain text/HTML) error responses and will not be represented correctly in the extracted OpenAPI specification.
DO NOT use the addHeader (use setHeaders)
Psalm cannot trace headers set via addHeader(), so they cannot be validated or included correctly in the extracted specification.
Use the setHeaders method instead.
Tips and tricks
openapi-extractorexpects descriptions in many places. To speed up initial adoption, you can use--allow-missing-docsto ignore missing descriptions.By default, the tool may stop at the first error. To list multiple problems in one run, use
--continue-on-error.
Warning
Do not use these flags when generating the final specification.
They can hide real problems in your code.
In particular, --continue-on-error is risky because the command may appear “successful” even if issues remain.
Use these flags only to speed up the initial adaptation process.
Tutorial: How to add OpenAPI support to your OCS API
Let’s imagine you built a Todo list app for Nextcloud and have the following controller:
class TodoApiController extends OCSController {
#[NoAdminRequired]
public function create(string $title, ?string $description = null, ?string $image = null): DataResponse {
$todo = $this->service->createTodo($title, $description, $image);
return $this->formatTodo($todo);
}
#[NoAdminRequired]
public function get(int $id): DataResponse {
try {
$todo = $this->service->getTodo($id);
} catch (NotFoundException $e) {
return new DataResponse(["error" => "Todo not found"], Http::STATUS_NOT_FOUND);
}
return $this->formatTodo($todo);
}
#[NoAdminRequired]
public function update(int $id, string $etag, ?string $title = null, ?string $description = null, ?string $image = null): DataResponse {
try {
$todo = $this->service->updateTodo($id, $etag, $title, $description, $image);
} catch (NotFoundException $e) {
return new DataResponse(["error" => "Todo not found"], Http::STATUS_NOT_FOUND);
} catch (ForbiddenException $e) {
return new DataResponse(["error" => "ETag does not match"], Http::STATUS_BAD_REQUEST);
}
return $this->formatTodo($todo);
}
#[NoAdminRequired]
public function delete(int $id): DataResponse {
try {
$todo = $this->service->deleteTodo($id);
} catch (NotFoundException $e) {
return new DataResponse(["error" => "Todo not found"], Http::STATUS_NOT_FOUND);
}
return new DataResponse(null);
}
private function formatTodo(Todo $todo): DataResponse {
return new DataResponse([
"id" => $todo->id,
"title" => $todo->title,
"description" => $todo->description,
"image" => $todo->image,
], Http::STATUS_OK, [
"ETag" => $todo->etag,
]);
}
}
What you want to do now is to firstly create the correct parameter annotations and add descriptions. It could look like this:
/**
* Create a new Todo
*
* @param string $title The title of the new Todo item
* @param string|null $description The description of the new Todo item. Can be left empty
* @param string|null $image The base64-encoded image of the new Todo item. Can be left empty
*/
#[NoAdminRequired]
public function create(string $title, ?string $description = null, ?string $image = null): DataResponse {
...
}
/**
* Get a Todo item
*
* @param int $id ID of the Todo item
*/
#[NoAdminRequired]
public function get(int $id): DataResponse {
...
}
/**
* Update a Todo item
*
* @param int $id ID of the Todo item
* @param string $etag ETag of the Todo item. If it does not match the ETag that is stored on the server the request will be rejected
* @param string|null $title The new title of the Todo item. Can be left empty to not update the title
* @param string|null $description The new description of the Todo item. Can be left empty to not update the description
* @param string|null $image The new base64-encoded image of the Todo item. Can be left empty to not update the image
*/
#[NoAdminRequired]
public function update(int $id, string $etag, string $title = null, string $description = null, string $image = null): DataResponse {
...
}
/**
* Delete a Todo item
*
* @param int $id ID of the Todo item
*/
#[NoAdminRequired]
public function delete(int $id): DataResponse {
...
}
The next step is to add the return types. This is the most important step to get your API documented.
It is best to start with helper methods that are used multiple times like the formatTodo method in this example:
/**
* @return DataResponse<Http::STATUS_OK, array{id: int, title: string, description: ?string, image: ?string}, array{ETag: string}>
*/
private function formatTodo(Todo $todo): DataResponse() {
...
}
The return type for [DataResponse](https://github.com/nextcloud/server/blob/master/lib/public/AppFramework/Http/DataResponse.php) and other inheritors of [Response](https://github.com/nextcloud/server/blob/master/lib/public/AppFramework/Http/Response.php) expect different arguments. See their class annotations in the code. The following table lists some common ones:
Response inheritor class |
Expected arguments |
DataResponse |
status code, data, headers |
RedirectResponse |
status code, headers |
StreamResponse |
status code, headers |
TemplateResponse |
status code, headers |
Afterwards you can add the return types to all the other methods.
If two different status codes return the same data structure and headers, you can use the union operator to indicate it: Http::STATUS_BAD_REQUEST|Http::STATUS_NOT_FOUND.
If you wonder about the return type syntax, the psalm documentation on [typing in Psalm](https://psalm.dev/docs/annotating_code/typing_in_psalm/) might be helpful.
You have to add a description for every status code returned by the method.
/**
* ...
*
* @return DataResponse<Http::STATUS_OK, array{id: int, title: string, description: ?string, image: ?string}, array{ETag: string}>
*
* 200: Todo item created
*/
#[NoAdminRequired]
public function create(string $title, string $description = null, string $image = null): DataResponse {
...
}
/**
* ...
*
* @return DataResponse<Http::STATUS_OK, array{id: int, title: string, description: ?string, image: ?string}, array{ETag: string}>|DataResponse<Http::STATUS_NOT_FOUND, array{error: string}, array{}>
*
* 200: Todo item returned
* 404: Todo item not found
*/
#[NoAdminRequired]
public function get(int $id): DataResponse {
...
}
/**
* ...
*
* @return DataResponse<Http::STATUS_OK, array{id: int, title: string, description: ?string, image: ?string}, array{ETag: string}>|DataResponse<Http::STATUS_BAD_REQUEST|Http::STATUS_NOT_FOUND, array{error: string}, array{}>
*
* 200: Todo item created
* 400: ETag of the Todo item does not match
* 404: Todo item not found
*/
#[NoAdminRequired]
public function update(int $id, string $etag, string $title = null, string $description = null, string $image = null): DataResponse {
...
}
/**
* ...
*
* @return DataResponse<Http::STATUS_OK, null, array{}>|DataResponse<Http::STATUS_NOT_FOUND, array{error: string}, array{}>
*
* 200: Todo item deleted
* 404: Todo item not found
*/
#[NoAdminRequired]
public function delete(int $id): DataResponse {
...
}
Scopes
In some cases a consumer of the API might not want or need to implement all APIs your app offers.
Examples are federation between apps on different servers, administration related endpoints, and more.
The default client which should implement the main functionality is called OpenAPI::SCOPE_DEFAULT.
Constants are available in OCP\AppFramework\Http\Attribute\OpenAPI::SCOPE_* for better cross-app experience.
A controller and methods can have multiple scopes, however when a method has the attribute set,
all scopes from the controller are ignored.
Methods that require admin permissions due to missing #[NoAdminRequired] or a present #[PublicPage] attribute or the
matching annotation, default to the OpenAPI::SCOPE_ADMINISTRATION scope.
#[OpenAPI(scope: OpenAPI::SCOPE_ADMINISTRATION)]
#[OpenAPI(scope: OpenAPI::SCOPE_FEDERATION)]
#[OpenAPI(scope: OpenAPI::SCOPE_DEFAULT)]
#[OpenAPI(scope: 'myscope')]
public function show(): TemplateResponse {
...
}
The different scopes will be saved as openapi.json for the default scope and openapi-{scope}.json for the others.
Handle exceptions
Sometimes you want to end with an exception instead of returning a response.
For this example our update will throw an exception when the ETag does not match:
#[NoAdminRequired]
public function update(int $id, string $etag, string $title = null, string $description = null, string $image = null): DataResponse {
...
} catch (ForbiddenException $e) {
throw new OCSBadRequestException("ETag does not match");
}
...
}
Adding the correct annotation works like this:
/**
* ...
*
* @throws OCSBadRequestException ETag of the Todo item does not match
*/
#[NoAdminRequired]
public function update(int $id, string $etag, string $title = null, string $description = null, string $image = null): DataResponse {
...
}
The description after the exception class name works exactly like the description for the status codes we added earlier. Note that you should only used OCS*Exceptions, as any other Exception will result in a plain text body instead of JSON.
Ignore certain endpoints
The tool already ignores all the endpoints that are not reachable from the outside, but some apps have reachable endpoints that are not APIs (e.g. serving some HTML).
To ignore those you can add the #[OpenAPI(scope: OpenAPI::SCOPE_IGNORE)] attribute to the controller method
or the controller class. There is also a deprecated #[IgnoreOpenAPI] attribute (deprecated since Nextcloud 28) for compatibility, but
OpenAPI::SCOPE_IGNORE should be preferred:
/**
* ...
*
* @IgnoreOpenAPI
*/
#[OpenAPI(scope: OpenAPI::SCOPE_IGNORE)]
#[NoAdminRequired]
public function show(): TemplateResponse {
...
}
Expose capabilities
Imagine we take the same Todo app of the previous example and want to expose some capabilities to let clients know what they can expect.
class Capabilities implements ICapability {
public function getCapabilities() {
return [
"todo" => [
"supported-operations" => ["create", "read", "update", "delete"],
"emojis-supported" => true,
],
];
}
}
Now you have to add the correct return type annotation:
class Capabilities implements ICapability {
/**
* @return array{todo: array{supported-operations: list<string>, emojis-supported: bool}}
*/
public function getCapabilities() {
return [
"todo" => [
"supported-operations" => ["create", "read", "update", "delete"],
"emojis-supported" => true,
],
];
}
}
The capabilities will automatically appear in the generated specification.
Generate the specification
If you followed the installation instructions for openapi-extractor you can run composer exec generate-spec in your
apps root folder and you will have a new file called openapi.json (depending on the used scopes).
If the tool fails somewhere it will tell you what is wrong and often times also how to fix the problem.
Additionally you should run psalm to check for any problems.