Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

test: introduce api search e2e test fixture #10061

Merged
merged 5 commits into from
Oct 30, 2024
Merged
Show file tree
Hide file tree
Changes from 4 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
50 changes: 14 additions & 36 deletions webui/react/src/e2e/fixtures/api.project.fixture.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,14 +6,9 @@ import { expect } from 'e2e/fixtures/global-fixtures';
import { safeName } from 'e2e/utils/naming';
import { ProjectsApi, V1PostProjectRequest, V1PostProjectResponse } from 'services/api-ts-sdk/api';

import { ApiAuthFixture } from './api.auth.fixture';

export class ApiProjectFixture {
readonly apiAuth: ApiAuthFixture;
constructor(apiAuth: ApiAuthFixture) {
this.apiAuth = apiAuth;
}
import { apiFixture } from './api';

export class ApiProjectFixture extends apiFixture(ProjectsApi) {
new({ projectProps = {}, projectPrefix = 'test-project' } = {}): V1PostProjectRequest {
const defaults = {
name: safeName(projectPrefix),
Expand All @@ -25,21 +20,6 @@ export class ApiProjectFixture {
};
}

private static normalizeUrl(url: string): string {
if (url.endsWith('/')) {
return url.substring(0, url.length - 1);
}
return url;
}

private async startProjectRequest(): Promise<ProjectsApi> {
return new ProjectsApi(
{ apiKey: await this.apiAuth.getBearerToken() },
ApiProjectFixture.normalizeUrl(this.apiAuth.baseURL),
fetch,
);
}

/**
* Creates a project with the given parameters via the API.
* @param {number} workspaceId workspace id to create the project in.
Expand All @@ -53,7 +33,7 @@ export class ApiProjectFixture {
workspaceId: number,
req: V1PostProjectRequest,
): Promise<V1PostProjectResponse> {
const projectResp = await (await this.startProjectRequest())
const projectResp = await this.api
.postProject(workspaceId, req, {})
.catch(async function (error) {
const respBody = await streamConsumers.text(error.body);
Expand All @@ -75,19 +55,17 @@ export class ApiProjectFixture {
await expect
.poll(
async () => {
const projectResp = await (await this.startProjectRequest())
.deleteProject(id)
.catch(async function (error) {
const respBody = await streamConsumers.text(error.body);
if (error.status === 404) {
return { completed: true };
}
throw new Error(
`Delete Project Request failed. Status: ${error.status} Request: ${JSON.stringify(
id,
)} Response: ${respBody}`,
);
});
const projectResp = await this.api.deleteProject(id).catch(async function (error) {
const respBody = await streamConsumers.text(error.body);
if (error.status === 404) {
return { completed: true };
}
EmilyBonar marked this conversation as resolved.
Show resolved Hide resolved
throw new Error(
`Delete Project Request failed. Status: ${error.status} Request: ${JSON.stringify(
id,
)} Response: ${respBody}`,
);
});
return projectResp.completed;
},
{
Expand Down
239 changes: 239 additions & 0 deletions webui/react/src/e2e/fixtures/api.search.fixture.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,239 @@
import { v4 as uuidV4 } from 'uuid';

import { safeName } from 'e2e/utils/naming';
import {
ExperimentsApi,
InternalApi,
Trialv1State,
V1ActivateExperimentResponse,
V1ArchiveExperimentResponse,
V1CancelExperimentResponse,
V1CheckpointTrainingMetadata,
V1CreateExperimentRequest,
V1CreateExperimentResponse,
V1CreateTrialResponse,
V1DeleteExperimentResponse,
V1KillExperimentResponse,
V1PatchExperiment,
V1PatchExperimentResponse,
V1PatchTrialResponse,
V1PauseExperimentResponse,
V1PostTaskLogsResponse,
V1ReportCheckpointResponse,
V1ReportTrialMetricsResponse,
V1TaskLog,
V1TrialMetrics,
V1UnarchiveExperimentResponse,
} from 'services/api-ts-sdk';

import { ApiArgsFixture, apiFixture } from './api';

const reportApiErrorJson = <T extends Promise<unknown>>(p: T): T => {
p.catch(async (e) => {
if (e instanceof Response) console.error(await e.json());
});
return p;
};

export class ApiRun {
constructor(
protected internalApi: InternalApi,
public response: V1CreateTrialResponse,
) {}

get id(): number {
return this.response.trial.id;
}

get taskId(): string {
const { taskId } = this.response.trial;
if (typeof taskId !== 'string') {
throw new Error('no task id found');
}
return taskId;
}

patchState(state: Trialv1State): Promise<V1PatchTrialResponse> {
return reportApiErrorJson(this.internalApi.patchTrial(this.id, { state, trialId: this.id }));
}

recordLog(logs: Omit<V1TaskLog, 'taskId'>[]): Promise<V1PostTaskLogsResponse> {
return reportApiErrorJson(
this.internalApi.postTaskLogs({ logs: logs.map((l) => ({ ...l, taskId: this.taskId })) }),
);
}

reportMetrics(
group: 'training' | 'validation' | 'inference',
metrics: Omit<V1TrialMetrics, 'trialId' | 'trialRunId'>,
): Promise<V1ReportTrialMetricsResponse> {
return reportApiErrorJson(
this.internalApi.reportTrialMetrics(this.id, {
group,
metrics: { ...metrics, trialId: this.id, trialRunId: 0 },
}),
);
}

reportCheckpoint(
stepsCompleted: number,
training: V1CheckpointTrainingMetadata,
resources: { [k: string]: string } = {},
metadata: object = {},
): Promise<V1ReportCheckpointResponse> {
return reportApiErrorJson(
this.internalApi.reportCheckpoint({
metadata: {
...metadata,
steps_completed: stepsCompleted,
},
resources,
state: 'STATE_COMPLETED',
taskId: this.taskId,
training,
uuid: uuidV4(),
}),
);
}
}

class ApiSearch {
runs: ApiRun[] = [];

constructor(
protected experimentApi: ExperimentsApi,
protected internalApi: InternalApi,
public response: V1CreateExperimentResponse,
) {}

get id(): number {
return this.response.experiment.id;
}

get externalId(): string {
const { externalExperimentId } = this.response.experiment;
if (typeof externalExperimentId !== 'string') {
throw new Error('no external experiment id found');
}
return externalExperimentId;
}

patch(body: Omit<V1PatchExperiment, 'id'> = {}): Promise<V1PatchExperimentResponse> {
return reportApiErrorJson(
this.experimentApi.patchExperiment(this.id, { id: this.id, ...body }),
);
}

/**
* Perform an action on a search. NOTE: unmanaged experiments can only be archived, unarchived and deleted
*/
action(action: 'pause'): Promise<V1PauseExperimentResponse>;
action(action: 'resume' | 'activate'): Promise<V1ActivateExperimentResponse>;
action(action: 'cancel' | 'stop'): Promise<V1CancelExperimentResponse>;
action(action: 'kill'): Promise<V1KillExperimentResponse>;
action(action: 'archive'): Promise<V1ArchiveExperimentResponse>;
action(action: 'unarchive'): Promise<V1UnarchiveExperimentResponse>;
action(action: 'delete'): Promise<V1DeleteExperimentResponse>;
action(
action:
| 'activate'
| 'archive'
| 'unarchive'
| 'delete'
| 'kill'
| 'pause'
| 'resume'
| 'stop'
| 'cancel',
): Promise<unknown> {
type idMethod = {
[k in keyof ExperimentsApi]: ExperimentsApi[k] extends (id: number) => Promise<unknown>
? k
: never;
}[keyof ExperimentsApi];
const managedMethods = ['activate', 'cancel', 'kill', 'pause', 'resume', 'stop'];
const methodMap: Record<typeof action, idMethod> = {
activate: 'activateExperiment',
archive: 'archiveExperiment',
cancel: 'cancelExperiment',
delete: 'deleteExperiment',
kill: 'killExperiment',
pause: 'pauseExperiment',
resume: 'activateExperiment',
stop: 'cancelExperiment',
unarchive: 'unarchiveExperiment',
};
if (this.response.experiment.unmanaged && managedMethods.includes(action)) {
throw new Error(`Action ${action} only works on managed experiments`);
}
return reportApiErrorJson(this.experimentApi[methodMap[action]](this.id));
}

async addRun(hparams: unknown = { wow: 'cool' }): Promise<ApiRun> {
const response = reportApiErrorJson(
this.internalApi.createTrial({ experimentId: this.id, hparams, unmanaged: true }),
);
const apiRun = new ApiRun(this.internalApi, await response);
this.runs.push(apiRun);
return apiRun;
}

async getRuns(): Promise<ApiRun[]> {
const trials = await this.experimentApi.getExperimentTrials(
this.id,
undefined,
undefined,
undefined,
-1,
);
this.runs = trials.trials.map((trial) => new ApiRun(this.internalApi, { trial }));
return this.runs;
}
}

export class ApiSearchFixture extends apiFixture(InternalApi) {
searches: ApiSearch[] = [];
protected experimentApi: ExperimentsApi;

constructor(
apiArgs: ApiArgsFixture,
public defaultProjectId: number,
) {
super(apiArgs);
this.experimentApi = new ExperimentsApi(...apiArgs);
}

async new(
config: object = {},
body: Omit<V1CreateExperimentRequest, 'config'> = {},
): Promise<ApiSearch> {
const configWithDefaults = {
entrypoint: 'echo bonjour!',
name: safeName('apisearch'),
searcher: {
metric: 'x',
name: 'custom',
unit: 'batches',
},
...config,
};
const bodyWithDefaults = {
activate: false,
projectId: this.defaultProjectId,
...body,
};
const response = await reportApiErrorJson(
this.api.createExperiment({
...bodyWithDefaults,
config: JSON.stringify(configWithDefaults),
}),
);
const search = new ApiSearch(this.experimentApi, this.api, response);
this.searches.push(search);
return search;
}

dispose(): Promise<V1DeleteExperimentResponse> {
return Promise.all(this.searches.map((s) => s.action('delete')));
}
}
21 changes: 21 additions & 0 deletions webui/react/src/e2e/fixtures/api.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
import { BaseAPI } from 'services/api-ts-sdk';

export type ApiArgsFixture = ConstructorParameters<typeof BaseAPI>;
export type ApiConstructor<T> = new (...args: ConstructorParameters<typeof BaseAPI>) => T;

// We need to infer the type of the resulting class here because it's a mixin
// eslint-disable-next-line @typescript-eslint/explicit-module-boundary-types
export const apiFixture = <T>(api: ApiConstructor<T>) => {
return class {
protected readonly api: T;
constructor(protected apiArgs: ApiArgsFixture) {
this.api = new api(...apiArgs);
}
protected get token() {
return this.apiArgs[0]?.apiKey;
}
protected get baseUrl() {
return this.apiArgs[1];
}
};
};
Loading
Loading