mirror of
https://github.com/CommunitySolidServer/CommunitySolidServer.git
synced 2024-10-03 14:55:10 +00:00
refactor: Deduplicate mapper.
This commit is contained in:
committed by
Joachim Van Herwegen
parent
01217e2e5c
commit
e72117a21a
@@ -141,6 +141,7 @@ export * from './storage/conversion/RepresentationConverter';
|
||||
export * from './storage/conversion/TypedRepresentationConverter';
|
||||
|
||||
// Storage/Mapping
|
||||
export * from './storage/mapping/BaseFileIdentifierMapper';
|
||||
export * from './storage/mapping/ExtensionBasedMapper';
|
||||
export * from './storage/mapping/FileIdentifierMapper';
|
||||
export * from './storage/mapping/FixedContentTypeMapper';
|
||||
|
||||
145
src/storage/mapping/BaseFileIdentifierMapper.ts
Normal file
145
src/storage/mapping/BaseFileIdentifierMapper.ts
Normal file
@@ -0,0 +1,145 @@
|
||||
import type { ResourceIdentifier } from '../../ldp/representation/ResourceIdentifier';
|
||||
import { getLoggerFor } from '../../logging/LogUtil';
|
||||
import { APPLICATION_OCTET_STREAM } from '../../util/ContentTypes';
|
||||
import {
|
||||
encodeUriPathComponents,
|
||||
ensureTrailingSlash,
|
||||
isContainerIdentifier,
|
||||
normalizeFilePath,
|
||||
trimTrailingSlashes,
|
||||
} from '../../util/PathUtil';
|
||||
import type { FileIdentifierMapper, ResourceLink } from './FileIdentifierMapper';
|
||||
import { getAbsolutePath, getRelativePath, validateRelativePath } from './MapperUtil';
|
||||
|
||||
/**
|
||||
* Base class for {@link FileIdentifierMapper} implementations.
|
||||
*/
|
||||
export class BaseFileIdentifierMapper implements FileIdentifierMapper {
|
||||
protected readonly logger = getLoggerFor(this);
|
||||
protected readonly baseRequestURI: string;
|
||||
protected readonly rootFilepath: string;
|
||||
|
||||
public constructor(base: string, rootFilepath: string) {
|
||||
this.baseRequestURI = trimTrailingSlashes(base);
|
||||
this.rootFilepath = trimTrailingSlashes(normalizeFilePath(rootFilepath));
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given resource identifier / URL to a file path.
|
||||
* Determines the content type if none was provided.
|
||||
* For containers the content-type input is ignored.
|
||||
* @param identifier - The input identifier.
|
||||
* @param contentType - The content-type provided with the request.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
public async mapUrlToFilePath(identifier: ResourceIdentifier, contentType?: string): Promise<ResourceLink> {
|
||||
const path = getRelativePath(this.baseRequestURI, identifier);
|
||||
validateRelativePath(path, identifier);
|
||||
|
||||
const filePath = getAbsolutePath(this.rootFilepath, path);
|
||||
return isContainerIdentifier(identifier) ?
|
||||
this.mapUrlToContainerPath(identifier, filePath) :
|
||||
this.mapUrlToDocumentPath(identifier, filePath, contentType);
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given container identifier to a file path,
|
||||
* possibly making alterations to the direct translation.
|
||||
* @param identifier - The input identifier.
|
||||
* @param filePath - The direct translation of the identifier onto the file path.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
protected async mapUrlToContainerPath(identifier: ResourceIdentifier, filePath: string): Promise<ResourceLink> {
|
||||
this.logger.debug(`URL ${identifier.path} points to the container ${filePath}`);
|
||||
return { identifier, filePath };
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given document identifier to a file path,
|
||||
* possibly making alterations to the direct translation
|
||||
* (for instance, based on its content type)).
|
||||
* Determines the content type if none was provided.
|
||||
* @param identifier - The input identifier.
|
||||
* @param filePath - The direct translation of the identifier onto the file path.
|
||||
* @param contentType - The content-type provided with the request.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
protected async mapUrlToDocumentPath(identifier: ResourceIdentifier, filePath: string, contentType?: string):
|
||||
Promise<ResourceLink> {
|
||||
contentType = await this.getContentTypeFromUrl(identifier, contentType);
|
||||
this.logger.debug(`The path for ${identifier.path} is ${filePath}`);
|
||||
return { identifier, filePath, contentType };
|
||||
}
|
||||
|
||||
/**
|
||||
* Determines the content type from the document identifier.
|
||||
* @param identifier - The input identifier.
|
||||
* @param contentType - The content-type provided with the request.
|
||||
*
|
||||
* @returns The content type of the document.
|
||||
*/
|
||||
protected async getContentTypeFromUrl(identifier: ResourceIdentifier, contentType?: string): Promise<string> {
|
||||
return contentType ?? APPLICATION_OCTET_STREAM;
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given file path to a URL and determines its content type.
|
||||
* @param filePath - The input file path.
|
||||
* @param isContainer - If the path corresponds to a file.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
public async mapFilePathToUrl(filePath: string, isContainer: boolean): Promise<ResourceLink> {
|
||||
if (!filePath.startsWith(this.rootFilepath)) {
|
||||
this.logger.error(`Trying to access file ${filePath} outside of ${this.rootFilepath}`);
|
||||
throw new Error(`File ${filePath} is not part of the file storage at ${this.rootFilepath}`);
|
||||
}
|
||||
const relative = filePath.slice(this.rootFilepath.length);
|
||||
let url: string;
|
||||
let contentType: string | undefined;
|
||||
|
||||
if (isContainer) {
|
||||
url = await this.getContainerUrl(relative);
|
||||
this.logger.debug(`Container filepath ${filePath} maps to URL ${url}`);
|
||||
} else {
|
||||
url = await this.getDocumentUrl(relative);
|
||||
this.logger.debug(`Document ${filePath} maps to URL ${url}`);
|
||||
contentType = await this.getContentTypeFromPath(filePath);
|
||||
}
|
||||
return { identifier: { path: url }, filePath, contentType };
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given container path to a URL and determines its content type.
|
||||
* @param relative - The relative container path.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
protected async getContainerUrl(relative: string): Promise<string> {
|
||||
return ensureTrailingSlash(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given document path to a URL and determines its content type.
|
||||
* @param relative - The relative document path.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
protected async getDocumentUrl(relative: string): Promise<string> {
|
||||
return trimTrailingSlashes(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
}
|
||||
|
||||
/**
|
||||
* Determines the content type from the relative path.
|
||||
* @param filePath - The file path of the document.
|
||||
*
|
||||
* @returns The content type of the document.
|
||||
*/
|
||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||
protected async getContentTypeFromPath(filePath: string): Promise<string> {
|
||||
return APPLICATION_OCTET_STREAM;
|
||||
}
|
||||
}
|
||||
@@ -1,82 +1,22 @@
|
||||
import { promises as fsPromises } from 'fs';
|
||||
import * as mime from 'mime-types';
|
||||
import type { ResourceIdentifier } from '../../ldp/representation/ResourceIdentifier';
|
||||
import { getLoggerFor } from '../../logging/LogUtil';
|
||||
import { APPLICATION_OCTET_STREAM, TEXT_TURTLE } from '../../util/ContentTypes';
|
||||
import { TEXT_TURTLE } from '../../util/ContentTypes';
|
||||
import { NotImplementedHttpError } from '../../util/errors/NotImplementedHttpError';
|
||||
import {
|
||||
encodeUriPathComponents,
|
||||
ensureTrailingSlash,
|
||||
isContainerIdentifier,
|
||||
joinFilePath,
|
||||
normalizeFilePath,
|
||||
trimTrailingSlashes,
|
||||
} from '../../util/PathUtil';
|
||||
import type { FileIdentifierMapper, FileIdentifierMapperFactory, ResourceLink } from './FileIdentifierMapper';
|
||||
import { getAbsolutePath, getRelativePath, validateRelativePath } from './MapperUtil';
|
||||
import { joinFilePath, getExtension } from '../../util/PathUtil';
|
||||
import { BaseFileIdentifierMapper } from './BaseFileIdentifierMapper';
|
||||
import type { FileIdentifierMapperFactory, ResourceLink } from './FileIdentifierMapper';
|
||||
|
||||
export interface ResourcePath {
|
||||
|
||||
/**
|
||||
* The path of the container.
|
||||
*/
|
||||
containerPath: string;
|
||||
|
||||
/**
|
||||
* The document name.
|
||||
*/
|
||||
documentName?: string;
|
||||
}
|
||||
|
||||
/**
|
||||
* A mapper that stores the content-type of resources in the file path extension.
|
||||
* In case the extension of the identifier does not correspond to the correct content-type,
|
||||
* a new extension will be appended (with a `$` in front of it).
|
||||
* E.g. if the path is `input.ttl` with content-type `text/plain`, the path would actually be `input.ttl$.txt`.
|
||||
* This new extension is stripped again when generating an identifier.
|
||||
*
|
||||
* Warning: Since this mapper iterates over all files in the requested directory,
|
||||
* it can experience performance issues over directories with a huge number of files (10.000+).
|
||||
* For typical directory structures, the performance of this mapper should be sufficient.
|
||||
* @see https://github.com/solid/community-server/issues/333
|
||||
*/
|
||||
export class ExtensionBasedMapper implements FileIdentifierMapper {
|
||||
protected readonly logger = getLoggerFor(this);
|
||||
|
||||
private readonly baseRequestURI: string;
|
||||
private readonly rootFilepath: string;
|
||||
export class ExtensionBasedMapper extends BaseFileIdentifierMapper {
|
||||
private readonly types: Record<string, any>;
|
||||
|
||||
public constructor(base: string, rootFilepath: string, overrideTypes = { acl: TEXT_TURTLE, meta: TEXT_TURTLE }) {
|
||||
this.baseRequestURI = trimTrailingSlashes(base);
|
||||
this.rootFilepath = trimTrailingSlashes(normalizeFilePath(rootFilepath));
|
||||
super(base, rootFilepath);
|
||||
this.types = { ...mime.types, ...overrideTypes };
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given resource identifier / URL to a file path.
|
||||
* Determines the content-type if no content-type was provided.
|
||||
* For containers the content-type input gets ignored.
|
||||
* @param identifier - The input identifier.
|
||||
* @param contentType - The (optional) content-type of the resource.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
public async mapUrlToFilePath(identifier: ResourceIdentifier, contentType?: string): Promise<ResourceLink> {
|
||||
const path = getRelativePath(this.baseRequestURI, identifier);
|
||||
validateRelativePath(path, identifier);
|
||||
|
||||
let filePath = getAbsolutePath(this.rootFilepath, path);
|
||||
|
||||
// Container
|
||||
if (isContainerIdentifier(identifier)) {
|
||||
this.logger.debug(`URL ${identifier.path} points to the container ${filePath}`);
|
||||
return {
|
||||
identifier,
|
||||
filePath,
|
||||
};
|
||||
}
|
||||
|
||||
protected async mapUrlToDocumentPath(identifier: ResourceIdentifier, filePath: string, contentType?: string):
|
||||
Promise<ResourceLink> {
|
||||
// Would conflict with how new extensions are stored
|
||||
if (/\$\.\w+$/u.test(filePath)) {
|
||||
this.logger.warn(`Identifier ${identifier.path} contains a dollar sign before its extension`);
|
||||
@@ -85,35 +25,23 @@ export class ExtensionBasedMapper implements FileIdentifierMapper {
|
||||
|
||||
// Existing file
|
||||
if (!contentType) {
|
||||
// Find a matching file
|
||||
const [ , folder, documentName ] = /^(.*\/)(.*)$/u.exec(filePath)!;
|
||||
|
||||
let fileName: string | undefined;
|
||||
try {
|
||||
const files = await fsPromises.readdir(folder);
|
||||
fileName = files.find(
|
||||
(file): boolean =>
|
||||
file.startsWith(documentName) && /^(?:\$\..+)?$/u.test(file.slice(documentName.length)),
|
||||
);
|
||||
fileName = files.find((file): boolean =>
|
||||
file.startsWith(documentName) && /^(?:\$\..+)?$/u.test(file.slice(documentName.length)));
|
||||
} catch {
|
||||
// Parent folder does not exist (or is not a folder)
|
||||
}
|
||||
|
||||
// Matching file found
|
||||
if (fileName) {
|
||||
filePath = joinFilePath(folder, fileName);
|
||||
}
|
||||
|
||||
this.logger.debug(`The path for ${identifier.path} is ${filePath}`);
|
||||
return {
|
||||
identifier,
|
||||
filePath,
|
||||
contentType: this.getContentTypeFromExtension(filePath),
|
||||
};
|
||||
}
|
||||
|
||||
contentType = await this.getContentTypeFromPath(filePath);
|
||||
// If the extension of the identifier matches a different content-type than the one that is given,
|
||||
// we need to add a new extension to match the correct type.
|
||||
if (contentType !== this.getContentTypeFromExtension(filePath)) {
|
||||
} else if (contentType !== await this.getContentTypeFromPath(filePath)) {
|
||||
const extension = mime.extension(contentType);
|
||||
if (!extension) {
|
||||
this.logger.warn(`No extension found for ${contentType}`);
|
||||
@@ -121,74 +49,20 @@ export class ExtensionBasedMapper implements FileIdentifierMapper {
|
||||
}
|
||||
filePath += `$.${extension}`;
|
||||
}
|
||||
|
||||
this.logger.debug(`The path for ${identifier.path} is ${filePath}`);
|
||||
return {
|
||||
identifier,
|
||||
filePath,
|
||||
contentType,
|
||||
};
|
||||
return super.mapUrlToDocumentPath(identifier, filePath, contentType);
|
||||
}
|
||||
|
||||
/**
|
||||
* Maps the given file path to an URL and determines the content-type
|
||||
* @param filePath - The input file path.
|
||||
* @param isContainer - If the path corresponds to a file.
|
||||
*
|
||||
* @returns A ResourceLink with all the necessary metadata.
|
||||
*/
|
||||
public async mapFilePathToUrl(filePath: string, isContainer: boolean): Promise<ResourceLink> {
|
||||
if (!filePath.startsWith(this.rootFilepath)) {
|
||||
this.logger.error(`Trying to access file ${filePath} outside of ${this.rootFilepath}`);
|
||||
throw new Error(`File ${filePath} is not part of the file storage at ${this.rootFilepath}`);
|
||||
}
|
||||
|
||||
let relative = filePath.slice(this.rootFilepath.length);
|
||||
if (isContainer) {
|
||||
const path = ensureTrailingSlash(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
this.logger.debug(`Container filepath ${filePath} maps to URL ${path}`);
|
||||
return {
|
||||
identifier: { path },
|
||||
filePath,
|
||||
};
|
||||
}
|
||||
|
||||
// Files
|
||||
const extension = this.getExtension(relative);
|
||||
const contentType = this.getContentTypeFromExtension(relative);
|
||||
protected async getDocumentUrl(relative: string): Promise<string> {
|
||||
const extension = getExtension(relative);
|
||||
if (extension && relative.endsWith(`$.${extension}`)) {
|
||||
relative = relative.slice(0, -(extension.length + 2));
|
||||
}
|
||||
|
||||
const path = trimTrailingSlashes(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
this.logger.debug(`File ${filePath} (${contentType}) maps to URL ${path}`);
|
||||
|
||||
return {
|
||||
identifier: { path },
|
||||
filePath,
|
||||
contentType,
|
||||
};
|
||||
return super.getDocumentUrl(relative);
|
||||
}
|
||||
|
||||
/**
|
||||
* Get the content type from a file path, using its extension.
|
||||
* @param path - The file path.
|
||||
*
|
||||
* @returns Content type of the file.
|
||||
*/
|
||||
private getContentTypeFromExtension(path: string): string {
|
||||
const extension = this.getExtension(path);
|
||||
return (extension && this.types[extension.toLowerCase()]) || APPLICATION_OCTET_STREAM;
|
||||
}
|
||||
|
||||
/**
|
||||
* Extracts the extension (without dot) from a path.
|
||||
* Custom functin since `path.extname` does not work on all cases (e.g. ".acl")
|
||||
* @param path - Input path to parse.
|
||||
*/
|
||||
private getExtension(path: string): string | null {
|
||||
const extension = /\.([^./]+)$/u.exec(path);
|
||||
return extension && extension[1];
|
||||
protected async getContentTypeFromPath(filePath: string): Promise<string> {
|
||||
return this.types[getExtension(filePath).toLowerCase()] ||
|
||||
super.getContentTypeFromPath(filePath);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -197,4 +71,3 @@ export class ExtensionBasedMapperFactory implements FileIdentifierMapperFactory<
|
||||
return new ExtensionBasedMapper(base, rootFilePath);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@@ -1,83 +1,24 @@
|
||||
import type { ResourceIdentifier } from '../../ldp/representation/ResourceIdentifier';
|
||||
import { getLoggerFor } from '../../logging/LogUtil';
|
||||
import { NotImplementedHttpError } from '../../util/errors/NotImplementedHttpError';
|
||||
import {
|
||||
encodeUriPathComponents,
|
||||
ensureTrailingSlash,
|
||||
isContainerIdentifier,
|
||||
normalizeFilePath,
|
||||
trimTrailingSlashes,
|
||||
} from '../../util/PathUtil';
|
||||
import type { FileIdentifierMapper, ResourceLink } from './FileIdentifierMapper';
|
||||
import { getAbsolutePath, getRelativePath, validateRelativePath } from './MapperUtil';
|
||||
import { BaseFileIdentifierMapper } from './BaseFileIdentifierMapper';
|
||||
|
||||
/**
|
||||
* A mapper that always returns a fixed content type for files.
|
||||
*/
|
||||
export class FixedContentTypeMapper implements FileIdentifierMapper {
|
||||
protected readonly logger = getLoggerFor(this);
|
||||
|
||||
private readonly baseRequestURI: string;
|
||||
private readonly rootFilepath: string;
|
||||
private readonly contentType: string;
|
||||
export class FixedContentTypeMapper extends BaseFileIdentifierMapper {
|
||||
protected readonly contentType: string;
|
||||
|
||||
public constructor(base: string, rootFilepath: string, contentType: string) {
|
||||
this.baseRequestURI = trimTrailingSlashes(base);
|
||||
this.rootFilepath = trimTrailingSlashes(normalizeFilePath(rootFilepath));
|
||||
super(base, rootFilepath);
|
||||
this.contentType = contentType;
|
||||
}
|
||||
|
||||
public async mapUrlToFilePath(identifier: ResourceIdentifier, contentType?: string): Promise<ResourceLink> {
|
||||
const path = getRelativePath(this.baseRequestURI, identifier);
|
||||
validateRelativePath(path, identifier);
|
||||
|
||||
const filePath = getAbsolutePath(this.rootFilepath, path);
|
||||
|
||||
// Container
|
||||
if (isContainerIdentifier(identifier)) {
|
||||
this.logger.debug(`URL ${identifier.path} points to the container ${filePath}`);
|
||||
return {
|
||||
identifier,
|
||||
filePath,
|
||||
};
|
||||
}
|
||||
|
||||
protected async getContentTypeFromUrl(identifier: ResourceIdentifier, contentType?: string): Promise<string> {
|
||||
// Only allow the configured content type
|
||||
if (contentType && contentType !== this.contentType) {
|
||||
throw new NotImplementedHttpError(`Unsupported content type ${contentType}, only ${this.contentType} is allowed`);
|
||||
}
|
||||
|
||||
this.logger.debug(`The path for ${identifier.path} is ${filePath}`);
|
||||
return {
|
||||
identifier,
|
||||
filePath,
|
||||
contentType: this.contentType,
|
||||
};
|
||||
return this.contentType;
|
||||
}
|
||||
|
||||
public async mapFilePathToUrl(filePath: string, isContainer: boolean): Promise<ResourceLink> {
|
||||
if (!filePath.startsWith(this.rootFilepath)) {
|
||||
this.logger.error(`Trying to access file ${filePath} outside of ${this.rootFilepath}`);
|
||||
throw new Error(`File ${filePath} is not part of the file storage at ${this.rootFilepath}`);
|
||||
}
|
||||
|
||||
const relative = filePath.slice(this.rootFilepath.length);
|
||||
if (isContainer) {
|
||||
const path = ensureTrailingSlash(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
this.logger.debug(`Container filepath ${filePath} maps to URL ${path}`);
|
||||
return {
|
||||
identifier: { path },
|
||||
filePath,
|
||||
};
|
||||
}
|
||||
|
||||
const path = trimTrailingSlashes(this.baseRequestURI + encodeUriPathComponents(relative));
|
||||
this.logger.debug(`File ${filePath} maps to URL ${path}`);
|
||||
|
||||
return {
|
||||
identifier: { path },
|
||||
filePath,
|
||||
contentType: this.contentType,
|
||||
};
|
||||
protected async getContentTypeFromPath(): Promise<string> {
|
||||
return this.contentType;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -59,6 +59,16 @@ export function trimTrailingSlashes(path: string): string {
|
||||
return path.replace(/\/+$/u, '');
|
||||
}
|
||||
|
||||
/**
|
||||
* Extracts the extension (without dot) from a path.
|
||||
* Custom function since `path.extname` does not work on all cases (e.g. ".acl")
|
||||
* @param path - Input path to parse.
|
||||
*/
|
||||
export function getExtension(path: string): string {
|
||||
const extension = /\.([^./]+)$/u.exec(path);
|
||||
return extension ? extension[1] : '';
|
||||
}
|
||||
|
||||
/**
|
||||
* Converts a URI path to the canonical version by splitting on slashes,
|
||||
* decoding any percent-based encodings,
|
||||
|
||||
92
test/unit/storage/mapping/BaseFileIdentifierMapper.test.ts
Normal file
92
test/unit/storage/mapping/BaseFileIdentifierMapper.test.ts
Normal file
@@ -0,0 +1,92 @@
|
||||
import { BaseFileIdentifierMapper } from '../../../../src/storage/mapping/BaseFileIdentifierMapper';
|
||||
import { BadRequestHttpError } from '../../../../src/util/errors/BadRequestHttpError';
|
||||
import { NotFoundHttpError } from '../../../../src/util/errors/NotFoundHttpError';
|
||||
import { trimTrailingSlashes } from '../../../../src/util/PathUtil';
|
||||
|
||||
jest.mock('fs');
|
||||
|
||||
describe('An BaseFileIdentifierMapper', (): void => {
|
||||
const base = 'http://test.com/';
|
||||
const rootFilepath = 'uploads/';
|
||||
const mapper = new BaseFileIdentifierMapper(base, rootFilepath);
|
||||
|
||||
describe('mapUrlToFilePath', (): void => {
|
||||
it('throws 404 if the input path does not contain the base.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: 'invalid' })).rejects.toThrow(NotFoundHttpError);
|
||||
});
|
||||
|
||||
it('throws 404 if the relative path does not start with a slash.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${trimTrailingSlashes(base)}test` }))
|
||||
.rejects.toThrow(new BadRequestHttpError('URL needs a / after the base'));
|
||||
});
|
||||
|
||||
it('throws 400 if the input path contains relative parts.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}test/../test2` }))
|
||||
.rejects.toThrow(new BadRequestHttpError('Disallowed /.. segment in URL'));
|
||||
});
|
||||
|
||||
it('returns the corresponding file path for container identifiers.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}container/` })).resolves.toEqual({
|
||||
identifier: { path: `${base}container/` },
|
||||
filePath: `${rootFilepath}container/`,
|
||||
});
|
||||
});
|
||||
|
||||
it('returns the default content-type.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}test` })).resolves.toEqual({
|
||||
identifier: { path: `${base}test` },
|
||||
filePath: `${rootFilepath}test`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}test.ttl` })).resolves.toEqual({
|
||||
identifier: { path: `${base}test.ttl` },
|
||||
filePath: `${rootFilepath}test.ttl`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}test.txt` })).resolves.toEqual({
|
||||
identifier: { path: `${base}test.txt` },
|
||||
filePath: `${rootFilepath}test.txt`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
});
|
||||
|
||||
it('generates a file path if supported content-type was provided.', async(): Promise<void> => {
|
||||
await expect(mapper.mapUrlToFilePath({ path: `${base}test.ttl` }, 'text/turtle')).resolves.toEqual({
|
||||
identifier: { path: `${base}test.ttl` },
|
||||
filePath: `${rootFilepath}test.ttl`,
|
||||
contentType: 'text/turtle',
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
describe('mapFilePathToUrl', (): void => {
|
||||
it('throws an error if the input path does not contain the root file path.', async(): Promise<void> => {
|
||||
await expect(mapper.mapFilePathToUrl('invalid', true)).rejects.toThrow(Error);
|
||||
});
|
||||
|
||||
it('returns a generated identifier for directories.', async(): Promise<void> => {
|
||||
await expect(mapper.mapFilePathToUrl(`${rootFilepath}container/`, true)).resolves.toEqual({
|
||||
identifier: { path: `${base}container/` },
|
||||
filePath: `${rootFilepath}container/`,
|
||||
});
|
||||
});
|
||||
|
||||
it('returns files with the default content-type.', async(): Promise<void> => {
|
||||
await expect(mapper.mapFilePathToUrl(`${rootFilepath}test`, false)).resolves.toEqual({
|
||||
identifier: { path: `${base}test` },
|
||||
filePath: `${rootFilepath}test`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
await expect(mapper.mapFilePathToUrl(`${rootFilepath}test.ttl`, false)).resolves.toEqual({
|
||||
identifier: { path: `${base}test.ttl` },
|
||||
filePath: `${rootFilepath}test.ttl`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
await expect(mapper.mapFilePathToUrl(`${rootFilepath}test.txt`, false)).resolves.toEqual({
|
||||
identifier: { path: `${base}test.txt` },
|
||||
filePath: `${rootFilepath}test.txt`,
|
||||
contentType: 'application/octet-stream',
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
||||
Reference in New Issue
Block a user