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

refactor(stroage): add foundation CopyObjectClient #13829

Open
wants to merge 1 commit into
base: ashwin/storage-browser/foundation/base
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all 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
Original file line number Diff line number Diff line change
@@ -0,0 +1,76 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import { HttpResponse } from '@aws-amplify/core/internals/aws-client-utils';
import * as clientUtils from '@aws-amplify/core/internals/aws-client-utils';

import { createCopyObjectDeserializer } from '../../../../../../../../src/foundation/factories/serviceClients/s3/s3data/shared/serde';
import { StorageError } from '../../../../../../../../src/errors/StorageError';

describe('createCopyObjectDeserializer', () => {
const deserializer = createCopyObjectDeserializer();

it('returns body for 2xx status code', async () => {
const response: HttpResponse = {
statusCode: 200,
headers: {
'x-amz-id-2': 'requestId2',
'x-amz-request-id': 'requestId',
},
body: {
json: () => Promise.resolve({}),
blob: () => Promise.resolve(new Blob()),
text: () =>
Promise.resolve(
'<CopyObjectResult>' +
'<ETag>string</ETag>' +
'<LastModified>timestamp</LastModified>' +
'<ChecksumCRC32>string</ChecksumCRC32>' +
'<ChecksumCRC32C>string</ChecksumCRC32C>' +
'<ChecksumSHA1>string</ChecksumSHA1>' +
'<ChecksumSHA256>string</ChecksumSHA256>' +
'</CopyObjectResult>',
),
},
};
const output = await deserializer(response);

expect(output).toEqual(
expect.objectContaining({
$metadata: {
requestId: response.headers['x-amz-request-id'],
extendedRequestId: response.headers['x-amz-id-2'],
httpStatusCode: 200,
},
}),
);
});

it('throws StorageError for 4xx status code', async () => {
const expectedErrorName = 'TestError';
const expectedErrorMessage = '400';
const expectedError = new Error(expectedErrorMessage);
expectedError.name = expectedErrorName;

jest
.spyOn(clientUtils, 'parseJsonError')
.mockReturnValueOnce(expectedError as any);

const response: HttpResponse = {
statusCode: 400,
body: {
json: () => Promise.resolve({}),
blob: () => Promise.resolve(new Blob()),
text: () => Promise.resolve(''),
},
headers: {},
};

expect(deserializer(response as any)).rejects.toThrow(
new StorageError({
name: expectedErrorName,
message: expectedErrorMessage,
}),
);
});
});
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import { AmplifyUrl } from '@aws-amplify/core/internals/utils';

import { createCopyObjectSerializer } from '../../../../../../../../src/foundation/factories/serviceClients/s3/s3data/shared/serde';

describe('createCopyObjectSerializer', () => {
it('should serialize copyObject request', async () => {
const input = {
Bucket: 'bucket',
CopySource: 'sourceBucket/sourceKey',
Key: 'mykey',
CacheControl: 'cacheControl',
ContentType: 'contentType',
ACL: 'acl',
};
const endPointUrl = 'http://test.com';
const endpoint = { url: new AmplifyUrl(endPointUrl) };

const serializer = createCopyObjectSerializer();
const result = await serializer(input, endpoint);

expect(result).toEqual({
url: expect.objectContaining({
href: `${endPointUrl}/${input.Key}`,
}),
method: 'PUT',
headers: expect.objectContaining({
'x-amz-copy-source': 'sourceBucket/sourceKey',
'cache-control': 'cacheControl',
'content-type': 'contentType',
'x-amz-acl': 'acl',
}),
});
});
});
32 changes: 19 additions & 13 deletions packages/storage/__tests__/providers/s3/apis/copy.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,7 +6,7 @@ import { Amplify, StorageAccessLevel } from '@aws-amplify/core';

import { StorageError } from '../../../../src/errors/StorageError';
import { StorageValidationErrorCode } from '../../../../src/errors/types/validation';
import { copyObject } from '../../../../src/providers/s3/utils/client/s3data';
import { createCopyObjectClient } from '../../../../src/foundation/factories/serviceClients/s3';
import { copy } from '../../../../src/providers/s3/apis';
import {
CopyInput,
Expand All @@ -17,7 +17,7 @@ import {
import './testUtils';
import { BucketInfo } from '../../../../src/providers/s3/types/options';

jest.mock('../../../../src/providers/s3/utils/client/s3data');
jest.mock('../../../../src/foundation/factories/serviceClients/s3');
jest.mock('@aws-amplify/core', () => ({
ConsoleLogger: jest.fn().mockImplementation(function ConsoleLogger() {
return { debug: jest.fn() };
Expand All @@ -29,7 +29,10 @@ jest.mock('@aws-amplify/core', () => ({
},
},
}));
const mockCopyObject = copyObject as jest.Mock;

const mockCopyObject = jest.fn();
const mockCreateCopyObjectClient = jest.mocked(createCopyObjectClient);

const mockFetchAuthSession = Amplify.Auth.fetchAuthSession as jest.Mock;
const mockGetConfig = Amplify.getConfig as jest.Mock;

Expand Down Expand Up @@ -81,6 +84,7 @@ describe('copy API', () => {
Metadata: { key: 'value' },
};
});
mockCreateCopyObjectClient.mockReturnValueOnce(mockCopyObject);
});
afterEach(() => {
jest.clearAllMocks();
Expand Down Expand Up @@ -188,8 +192,8 @@ describe('copy API', () => {
},
});
expect(key).toEqual(destinationKey);
expect(copyObject).toHaveBeenCalledTimes(1);
await expect(copyObject).toBeLastCalledWithConfigAndInput(
expect(mockCopyObject).toHaveBeenCalledTimes(1);
await expect(mockCopyObject).toBeLastCalledWithConfigAndInput(
copyObjectClientConfig,
{
...copyObjectClientBaseParams,
Expand All @@ -213,8 +217,8 @@ describe('copy API', () => {
bucket: bucketInfo,
},
});
expect(copyObject).toHaveBeenCalledTimes(1);
await expect(copyObject).toBeLastCalledWithConfigAndInput(
expect(mockCopyObject).toHaveBeenCalledTimes(1);
await expect(mockCopyObject).toBeLastCalledWithConfigAndInput(
{
credentials,
region: bucketInfo.region,
Expand All @@ -241,6 +245,7 @@ describe('copy API', () => {
Metadata: { key: 'value' },
};
});
mockCreateCopyObjectClient.mockReturnValueOnce(mockCopyObject);
});
afterEach(() => {
jest.clearAllMocks();
Expand Down Expand Up @@ -272,8 +277,8 @@ describe('copy API', () => {
destination: { path: destinationPath },
});
expect(path).toEqual(expectedDestinationPath);
expect(copyObject).toHaveBeenCalledTimes(1);
await expect(copyObject).toBeLastCalledWithConfigAndInput(
expect(mockCopyObject).toHaveBeenCalledTimes(1);
await expect(mockCopyObject).toBeLastCalledWithConfigAndInput(
copyObjectClientConfig,
{
...copyObjectClientBaseParams,
Expand All @@ -295,8 +300,8 @@ describe('copy API', () => {
bucket: bucketInfo,
},
});
expect(copyObject).toHaveBeenCalledTimes(1);
await expect(copyObject).toBeLastCalledWithConfigAndInput(
expect(mockCopyObject).toHaveBeenCalledTimes(1);
await expect(mockCopyObject).toBeLastCalledWithConfigAndInput(
{
credentials,
region: bucketInfo.region,
Expand Down Expand Up @@ -324,6 +329,7 @@ describe('copy API', () => {
name: 'NotFound',
}),
);
mockCreateCopyObjectClient.mockReturnValueOnce(mockCopyObject);
expect.assertions(3);
const missingSourceKey = 'SourceKeyNotFound';
try {
Expand All @@ -332,8 +338,8 @@ describe('copy API', () => {
destination: { key: destinationKey },
});
} catch (error: any) {
expect(copyObject).toHaveBeenCalledTimes(1);
await expect(copyObject).toBeLastCalledWithConfigAndInput(
expect(mockCopyObject).toHaveBeenCalledTimes(1);
await expect(mockCopyObject).toBeLastCalledWithConfigAndInput(
copyObjectClientConfig,
{
...copyObjectClientBaseParams,
Expand Down
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

export { createDeleteObjectClient } from './s3data/createDeleteObjectClient';
export { createDeleteObjectClient, createCopyObjectClient } from './s3data';
Original file line number Diff line number Diff line change
@@ -0,0 +1,21 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import { composeServiceApi } from '@aws-amplify/core/internals/aws-client-utils/composers';

import { s3TransferHandler } from '../../../../dI';

import {
createCopyObjectDeserializer,
createCopyObjectSerializer,
} from './shared/serde';
import { DEFAULT_SERVICE_CLIENT_API_CONFIG } from './constants';

export const createCopyObjectClient = () => {
return composeServiceApi(
s3TransferHandler,
createCopyObjectSerializer(),
createCopyObjectDeserializer(),
{ ...DEFAULT_SERVICE_CLIENT_API_CONFIG, responseType: 'text' },
);
};
Original file line number Diff line number Diff line change
Expand Up @@ -2,3 +2,4 @@
// SPDX-License-Identifier: Apache-2.0

export { createDeleteObjectClient } from './createDeleteObjectClient';
export { createCopyObjectClient } from './createCopyObjectClient';
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import {
HttpResponse,
parseMetadata,
} from '@aws-amplify/core/internals/aws-client-utils';

import { buildStorageServiceError } from '../../../deserializeHelpers';
import { parseXmlBody, parseXmlError } from '../../../parsePayload';
import type { CopyObjectCommandOutput } from '../../types';

type CopyObjectOutput = CopyObjectCommandOutput;

export const createCopyObjectDeserializer =
(): ((response: HttpResponse) => Promise<CopyObjectOutput>) =>
async (response: HttpResponse): Promise<CopyObjectOutput> => {
if (response.statusCode >= 300) {
const error = (await parseXmlError(response)) as Error;
throw buildStorageServiceError(error, response.statusCode);
} else {
await parseXmlBody(response);

return {
$metadata: parseMetadata(response),
};
}
};
Original file line number Diff line number Diff line change
@@ -0,0 +1,53 @@
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
// SPDX-License-Identifier: Apache-2.0

import {
Endpoint,
HttpRequest,
} from '@aws-amplify/core/internals/aws-client-utils';
import { AmplifyUrl } from '@aws-amplify/core/internals/utils';

import {
assignStringVariables,
serializeObjectConfigsToHeaders,
serializePathnameObjectKey,
validateS3RequiredParameter,
} from '../../../serializeHelpers';
import type { CopyObjectCommandInput } from '../../types';

type CopyObjectInput = Pick<
CopyObjectCommandInput,
| 'Bucket'
| 'CopySource'
| 'Key'
| 'MetadataDirective'
| 'CacheControl'
| 'ContentType'
| 'ContentDisposition'
| 'ContentLanguage'
| 'Expires'
| 'ACL'
| 'Tagging'
| 'Metadata'
>;

export const createCopyObjectSerializer =
(): ((input: CopyObjectInput, endpoint: Endpoint) => Promise<HttpRequest>) =>
async (input: CopyObjectInput, endpoint: Endpoint): Promise<HttpRequest> => {
const headers = {
...(await serializeObjectConfigsToHeaders(input)),
...assignStringVariables({
'x-amz-copy-source': input.CopySource,
'x-amz-metadata-directive': input.MetadataDirective,
}),
};
const url = new AmplifyUrl(endpoint.url.toString());
validateS3RequiredParameter(!!input.Key, 'Key');
url.pathname = serializePathnameObjectKey(url, input.Key);

return {
method: 'PUT',
headers,
url,
};
};
Original file line number Diff line number Diff line change
Expand Up @@ -3,3 +3,5 @@

export { createDeleteObjectSerializer } from './CreateDeleteObjectSerializer';
export { createDeleteObjectDeserializer } from './CreateDeleteObjectDeserializer';
export { createCopyObjectDeserializer } from './CreateCopyObjectDeserializer';
export { createCopyObjectSerializer } from './CreateCopyObjectSerializer';
3 changes: 2 additions & 1 deletion packages/storage/src/providers/s3/apis/internal/copy.ts
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,7 @@ import {
} from '../../utils';
import { StorageValidationErrorCode } from '../../../../errors/types/validation';
import { assertValidationError } from '../../../../errors/utils/assertValidationError';
import { copyObject } from '../../utils/client/s3data';
import { createCopyObjectClient } from '../../../../foundation/factories/serviceClients/s3';
import { getStorageUserAgentValue } from '../../utils/userAgent';
import { logger } from '../../../../utils';

Expand Down Expand Up @@ -180,6 +180,7 @@ const serviceCopy = async ({
bucket: string;
s3Config: ResolvedS3Config;
}) => {
const copyObject = createCopyObjectClient();
await copyObject(
{
...s3Config,
Expand Down
Loading