fleet/server/activity/internal/service/handler_test.go
Victor Lyuboslavsky 6019fa6d5a
Activity bounded context: /api/latest/fleet/activities (1 of 2) (#38115)
<!-- Add the related story/sub-task/bug number, like Resolves #123, or
remove if NA -->
**Related issue:** Resolves #37806 

This PR creates an activity bounded context and moves the following HTTP
endpoint (including the full vertical slice) there:
`/api/latest/fleet/activities`

NONE of the other activity functionality is moved! This is an
incremental approach starting with just 1 API/service endpoint.

A significant part of this PR is tests. This feature is now receiving
significantly more unit/integration test coverage than before.

Also, this PR does not remove the `ListActivities` datastore method in
the legacy code. That will be done in the follow up PR (part 2 of 2).

This refactoring effort also uncovered an activity/user authorization
issue: https://fleetdm.slack.com/archives/C02A8BRABB5/p1768582236611479

# Checklist for submitter

If some of the following don't apply, delete the relevant line.

- [x] Changes file added for user-visible changes in `changes/`,
`orbit/changes/` or `ee/fleetd-chrome/changes`.

## Testing

- [x] Added/updated automated tests
- [x] QA'd all new/changed functionality manually


<!-- This is an auto-generated comment: release notes by coderabbit.ai
-->

## Summary by CodeRabbit

## Release Notes

* **New Features**
* Activity listing API now available with query filtering, date-range
filtering, and type-based filtering
* Pagination support for activity results with cursor-based and
offset-based options
* Configurable sorting by creation date or activity ID in ascending or
descending order
* Automatic enrichment of activity records with actor user details
(name, email, avatar)
* Role-based access controls applied to activity visibility based on
user permissions

<sub>✏️ Tip: You can customize this high-level summary in your review
settings.</sub>

<!-- end of auto-generated comment: release notes by coderabbit.ai -->
2026-01-19 09:07:14 -05:00

126 lines
3.3 KiB
Go

package service
import (
"context"
"encoding/json"
"net/http"
"net/http/httptest"
"testing"
"github.com/fleetdm/fleet/v4/server/activity/api"
platform_endpointer "github.com/fleetdm/fleet/v4/server/platform/endpointer"
"github.com/go-kit/kit/endpoint"
kithttp "github.com/go-kit/kit/transport/http"
"github.com/gorilla/mux"
"github.com/stretchr/testify/assert"
"github.com/stretchr/testify/require"
)
func TestListActivitiesValidation(t *testing.T) {
t.Parallel()
// These tests verify decoder validation logic that returns 400 Bad Request.
// Happy path and business logic are covered by integration tests.
cases := []struct {
name string
query string
wantErr string
}{
{
name: "non-integer page",
query: "page=abc",
wantErr: "non-int page value",
},
{
name: "negative page",
query: "page=-1",
wantErr: "negative page value",
},
{
name: "non-integer per_page",
query: "per_page=abc",
wantErr: "non-int per_page value",
},
{
name: "zero per_page",
query: "per_page=0",
wantErr: "invalid per_page value",
},
{
name: "negative per_page",
query: "per_page=-5",
wantErr: "invalid per_page value",
},
{
name: "order_direction without order_key",
query: "order_direction=desc",
wantErr: "order_key must be specified with order_direction",
},
{
name: "invalid order_direction",
query: "order_key=id&order_direction=invalid",
wantErr: "unknown order_direction: invalid",
},
}
for _, tc := range cases {
t.Run(tc.name, func(t *testing.T) {
r := setupTestRouter()
req := httptest.NewRequest("GET", "/api/v1/fleet/activities?"+tc.query, nil)
rr := httptest.NewRecorder()
r.ServeHTTP(rr, req)
assert.Equal(t, http.StatusBadRequest, rr.Code)
var response struct {
Message string `json:"message"`
Errors []struct {
Name string `json:"name"`
Reason string `json:"reason"`
} `json:"errors"`
}
err := json.NewDecoder(rr.Body).Decode(&response)
require.NoError(t, err)
// Check that the error message is in the errors array
require.Len(t, response.Errors, 1)
assert.Equal(t, "base", response.Errors[0].Name)
assert.Equal(t, tc.wantErr, response.Errors[0].Reason)
})
}
}
// errorEncoder wraps platform_endpointer.EncodeError for use in tests.
func errorEncoder(ctx context.Context, err error, w http.ResponseWriter) {
platform_endpointer.EncodeError(ctx, err, w, nil)
}
func setupTestRouter() *mux.Router {
r := mux.NewRouter()
// Mock service that should never be called (validation fails before reaching service)
mockSvc := &mockService{}
// Pass-through auth middleware
authMiddleware := func(e endpoint.Endpoint) endpoint.Endpoint { return e }
// Server options with proper error encoding
opts := []kithttp.ServerOption{
kithttp.ServerErrorEncoder(errorEncoder),
}
routesFn := GetRoutes(mockSvc, authMiddleware)
routesFn(r, opts)
return r
}
// mockService implements api.Service for handler tests.
// For validation tests, this should never be called.
type mockService struct{}
func (m *mockService) ListActivities(_ context.Context, _ api.ListOptions) ([]*api.Activity, *api.PaginationMetadata, error) {
panic("mockService.ListActivities should not be called in validation tests")
}