REST API implementation guide
To reduce the security impact of compromised Personal Access Tokens (PATs), granular or fine-grained PATs allow users to create tokens with fine-grained permissions limited to specific organizational boundaries (groups, projects, user, or instance-level). This enables users to follow the principle of least privilege by granting tokens only the permissions they need.
Granular PATs allow fine-grained access control through granular scopes that consist of a boundary and specific resource permissions. When authenticating API requests with a granular PAT, GitLab validates that the token’s permissions include access to the requested resource at the specified boundary level.
This documentation is designed for community contributors and GitLab developers who want to make REST API endpoints compliant with granular PAT authorization.
Step-by-Step Implementation Guide
This guide walks you through adding granular PAT authorization to REST API endpoints. Before starting, review the Permission Naming Conventions documentation to understand the terminology used throughout.
These steps cover REST API endpoints only. For adding support to GraphQL queries and mutations, refer to the GraphQL implementation guide.
Workflow Overview
The implementation follows this flow:
- Step 1-2: Plan - Identify endpoints and design permissions
- Step 3: Create raw permissions (YAML files)
- Step 4: Bundle raw permissions into assignable permissions (YAML files)
- Step 5: Add authorization decorators to endpoints (Ruby code)
- Step 6: Write authorization tests (Ruby specs)
- Step 7: Test locally (manual validation)
Files Created by Each Step
Quick reference showing what you create in each step:
| Step | File Type | Location | Quantity | Example |
|---|---|---|---|---|
| 2 | Planning document | (mental notes) | — | Permission names identified |
| 3 | Raw permission YAML | config/authz/permissions/<resource>/<action>.yml |
1 per permission | config/authz/permissions/job/read.yml |
| 3 | Raw permission resource metadata | config/authz/permissions/<resource>/_metadata.yml |
1 per resource | config/authz/permissions/job/_metadata.yml |
| 4 | Assignable permission YAML | config/authz/permission_groups/assignable_permissions/<category>/<resource>/<action>.yml |
1 per group | config/authz/permission_groups/assignable_permissions/ci_cd/job/run.yml |
| 4 (optional) | Category metadata | config/authz/permission_groups/assignable_permissions/<category>/_metadata.yml |
0 or 1 per category | config/authz/permission_groups/assignable_permissions/ci_cd/_metadata.yml |
| 4 | Resource metadata | config/authz/permission_groups/assignable_permissions/<category>/<resource>/_metadata.yml |
1 per resource | config/authz/permission_groups/assignable_permissions/ci_cd/job/_metadata.yml |
| 5 | Grape decorators | Modify lib/api/<resource>.rb |
1 per endpoint | Added route_setting :authorization |
| 6 | RSpec tests | Modify spec/requests/api/<resource>_spec.rb |
1 per endpoint | Added it_behaves_like 'authorizing...' |
Step 1: Identify REST API Endpoints for the Resource
Goal: Find all REST API endpoints for the resource you’re working on.
-
Locate the API file for your resource in
lib/api/<resource_name>.rb.Example: For the jobs resource, open
lib/api/ci/jobs.rbTips:
- Some resources may have endpoints spread across multiple API files (e.g., nested resources)
- Check for
resources :resource_name doblocks that define nested endpoints - Look at the router to understand the full scope of endpoints for your resource
-
Identify all HTTP method/route pairs in the file. Document each endpoint with its HTTP verb:
get ':id/jobs' get ':id/jobs/:job_id' post ':id/jobs/:job_id/cancel' post ':id/jobs/:job_id/retry' delete ':id/jobs/:job_id/artifacts' -
Check if any endpoints already have authorization decorators (
route_setting :authorization). You’ll need to:- Add decorators to endpoints that don’t have them
- Update decorators for endpoints that have incomplete or incorrect permissions
These endpoints are the basis for the raw permissions you’ll create in the next step. Each unique operation (HTTP verb + route) typically needs its own permission.
Step 2: Determine Permissions Needed
Goal: Define granular permissions following GitLab naming conventions.
For the naming conventions, see Naming Permissions in the conventions documentation.
Determining the Resource Name for Endpoints
When implementing granular PAT authorization, name permissions based on what the endpoint modifies or returns, not the route structure.
Examples:
- Endpoint
DELETE /projects/:id/jobs/:job_id/artifacts→ modifiesartifacts→ permission name isdelete_job_artifact - Endpoint
GET /projects/:id/issues→ returnsissues→ permission name isread_issue - Endpoint
POST /projects/:id/jobs/:job_id/cancel→ modifies thejobstatus → permission name iscancel_job
Common Patterns
- List and Show operations: Use a single
read_resourcepermission for bothGET /projects/:id/jobs→read_jobGET /projects/:id/jobs/:job_id→read_job
- Nested resources: Include the parent resource in the permission name
POST /projects/:id/pipeline_schedules/:pipeline_schedule_id/variables→create_pipeline_schedule_variable
- Special actions: Create specific permissions for unique operations
- Cancel, retry, download, trigger, etc. each get their own permission
- Attribute updates: Use a single update permission covering all attributes
update_issuecovers updating title, description, assignees, etc.- Do not create
update_issue_description,update_issue_title
Step 3: Create Permission Definition Files
Goal: Create YAML definition files for each permission, if they don’t exist yet.
Follow the instructions in the Permission Definition File section to create raw permission YAML files using the bin/permission command.
Step 4: Create Assignable Permissions
Goal: Create assignable permissions that bundle related raw permissions for a simpler user experience.
Follow the instructions in the Assignable Permissions section to create assignable permission YAML files.
Step 5: Add Authorization Decorators to API Endpoints
For each endpoint, add the route_setting :authorization decorator immediately before the route definition:
route_setting :authorization, permissions: :read_job, boundary_type: :project
get ':id/jobs' do
# endpoint implementation
endDecorator Options
| Option | Description |
|---|---|
permissions |
The permission(s) required for this endpoint (symbol or array of symbols) |
boundary_type |
The boundary type for single-boundary endpoints: :project, :group, :user, or :instance |
boundary_param |
Optional. The request parameter containing the boundary identifier. Defaults to :id for projects and :id or :group_id for groups |
boundaries |
Alternative to boundary_type for endpoints supporting multiple boundaries (see below) |
boundary |
Alternative to boundary_type for endpoints where the boundary cannot be determined through standard parameter lookup. A callable object (proc, lambda, or method) that returns the boundary object |
skip_granular_token_authorization |
Optional. When set to true, allows granular PATs to access the endpoint without requiring specific permissions (see below) |
Example with custom boundary_param:
route_setting :authorization, permissions: :read_job, boundary_type: :project, boundary_param: :project_id
get 'jobs' do
# endpoint uses params[:project_id] instead of params[:id]
endExample using boundary:
def registry
::VirtualRegistries::Packages::Maven::Registry.find(params[:id])
end
route_setting :authorization, permissions: :download_maven_package_file, boundary: -> { registry.group }, boundary_type: :group
get '/api/v4/virtual_registries/packages/maven/:id/*path' do
# Boundary cannot be determined through `params`. Instead, it is determined
# from an object (registry) fetched using an ID from the endpoint's
# parameters.
endMultiple Boundaries per Endpoint
Some endpoints may need to support multiple boundary types. For example, an import endpoint might work at the group level when importing into a group namespace, or at the user level when importing into a personal namespace. In these cases, use the boundaries option instead of boundary_type or boundary:
route_setting :authorization, permissions: :create_bitbucket_import,
boundaries: [{ boundary_type: :group, boundary_param: :target_namespace }, { boundary_type: :user }]
post 'import/bitbucket' do
# endpoint implementation
endWhen multiple boundaries are defined:
- The system evaluates boundaries in priority order:
project>group>user>instance - The first boundary that can be resolved (based on available parameters) is used for authorization
- Each boundary in the array requires a
boundary_typekey and optionally aboundary_paramkey to specify which request parameter contains the boundary identifier
Skipping Granular Token Authorization
Some endpoints don’t require authentication and are publicly accessible, or do not implement token authentication. Since token authentication is skipped for these endpoints, defining granular permissions doesn’t make sense. However, to maintain coverage tracking for all endpoints, use the skip_granular_token_authorization option:
route_setting :authorization, skip_granular_token_authorization: true
get 'public-endpoint' do
# endpoint implementation
endWhen to use skip_granular_token_authorization:
- Public endpoints that don’t require authentication
- Endpoints that authenticate by other means than personal access tokens
- Discovery or metadata endpoints that are accessible without authentication
- Endpoints where authentication is optional and the response is the same regardless
Adding this decorator ensures that all endpoints are explicitly covered by the authorization system, even those that don’t require permissions.
Important Notes:
- Add the decorator to every endpoint individually, even if multiple endpoints use the same permission
- The decorator goes immediately before the HTTP method definition (
get,post,put,delete) - Use the exact permission name (symbol) defined in your YAML files
- Use
boundary_typeorboundaryfor single-boundary endpoints; useboundariesarray for multi-boundary endpoints - Use
skip_granular_token_authorization: truesparingly and only for endpoints that truly don’t require permission checks
Step 6: Add Authorization Tests
Goal: Verify that granular PAT permissions are correctly enforced on endpoints.
Test files are usually located at spec/requests/api/<resource>_spec.rb. If you don’t find them there, you may need to look around a bit more for the relevant spec files.
What These Tests Do: These tests verify that:
- Legacy (non-granular) personal access tokens continue to grant access to the endpoint
- Users with the required permission granted in a granular PAT are allowed access
- Users without the required permission are denied access with a 403 Forbidden response and proper error message (
insufficient_granular_scope) - The authorization system correctly evaluates the granular scope against the endpoint’s permission requirements
- The feature flag
granular_personal_access_tokensis properly enforced (denies access when disabled)
Add Shared Examples for Each Endpoint
For each endpoint, add the 'authorizing granular token permissions' shared example. This is a reusable test helper that validates authorization behavior:
it_behaves_like 'authorizing granular token permissions', :<permission_name> do
let(:boundary_object) { <boundary_object> }
let(:user) { <user> }
let(:request) do
<http_method> api("<endpoint_path>", personal_access_token: pat), params: <params_if_needed>
end
endBoundary Object Mapping
The boundary_object must match the boundary_type:
| Boundary Type | Boundary Object |
|---|---|
:project |
project |
:group |
group |
:user |
:user |
:instance |
:instance |
Important: When the boundary object is a :project or :group, the user must be a member of that namespace (project or group) for the authorization to be granted.
Step 7: Manual Validation
Goal: Manually test your implementation in a local environment to verify permissions work as expected before creating a merge request.
Use this if you want to test your endpoint and permissions in a Rails console before running the full test suite.
Setup:
In Rails console, create a granular PAT for a user and copy a URL to test the endpoint with the token:
# Enable feature flag
Feature.enable(:granular_personal_access_tokens)
user = User.human.first
# Create granular token
token = PersonalAccessTokens::CreateService.new(
current_user: user,
target_user: user,
organization_id: user.organization_id,
params: { expires_at: 1.month.from_now, scopes: ['granular'], granular: true, name: 'gPAT' }
).execute[:personal_access_token]
# Get the appropriate boundary object (project, group, :user, or :instance)
project = user.projects.first
boundary = Authz::Boundary.for(project)
# Create scope with the permission being tested (replace :read_job with your permission)
scope = Authz::GranularScope.new(namespace: boundary.namespace, access: boundary.access, permissions: [:read_job])
# Add the scope to the token
Authz::GranularScopeService.new(token).add_granular_scopes(scope)
# Copy the API endpoint URL with the token (replace with your endpoint)
IO.popen('pbcopy', 'w') { |f| f.puts "curl \"http://#{Gitlab.host_with_port}/api/v4/projects/#{project.id}/jobs\" --request GET --header \"PRIVATE-TOKEN: #{token.token}\"" }- Paste the URL in another terminal. It should succeed.