Initial commit

This commit is contained in:
root
2025-12-21 09:57:43 -05:00
committed by Sebastian Krupinski
commit db42b6699c
35 changed files with 6458 additions and 0 deletions

View File

@@ -0,0 +1,720 @@
<?php
declare(strict_types=1);
/**
* SPDX-FileCopyrightText: Sebastian Krupinski <krupinski01@gmail.com>
* SPDX-License-Identifier: AGPL-3.0-or-later
*/
namespace KTXM\FileManager\Controllers;
use InvalidArgumentException;
use KTXC\Http\Response\JsonResponse;
use KTXC\SessionIdentity;
use KTXC\SessionTenant;
use KTXF\Controller\ControllerAbstract;
use KTXF\Resource\Selector\SourceSelector;
use KTXF\Routing\Attributes\AuthenticatedRoute;
use KTXM\FileManager\Manager;
use Psr\Log\LoggerInterface;
use Throwable;
class DefaultController extends ControllerAbstract {
public function __construct(
private readonly SessionTenant $tenantIdentity,
private readonly SessionIdentity $userIdentity,
private Manager $fileManager,
private readonly LoggerInterface $logger
) {}
/**
* Main API endpoint for file operations
*
* @return JsonResponse
*/
#[AuthenticatedRoute('/v1', name: 'filemanager.v1', methods: ['POST'])]
public function index(int $version, string $transaction, string $operation, array $data = [], string|null $user = null): JsonResponse {
// authorize request
$tenantId = $this->tenantIdentity->identifier();
$userId = $this->userIdentity->identifier();
try {
$data = $this->process($tenantId, $userId, $operation, $data);
return new JsonResponse([
'version' => $version,
'transaction' => $transaction,
'operation' => $operation,
'status' => 'success',
'data' => $data
], JsonResponse::HTTP_OK);
} catch (Throwable $t) {
$this->logger->error('Error processing file manager request', ['exception' => $t]);
return new JsonResponse([
'version' => $version,
'transaction' => $transaction,
'operation' => $operation,
'status' => 'error',
'error' => [
'code' => $t->getCode(),
'message' => $t->getMessage()
]
], JsonResponse::HTTP_INTERNAL_SERVER_ERROR);
}
}
private function process(string $tenantId, string $userId, string $operation, array $data): mixed {
return match ($operation) {
// Provider operations
'provider.list' => $this->providerList($tenantId, $userId, $data),
'provider.extant' => $this->providerExtant($tenantId, $userId, $data),
// Service operations
'service.list' => $this->serviceList($tenantId, $userId, $data),
'service.extant' => $this->serviceExtant($tenantId, $userId, $data),
'service.fetch' => $this->serviceFetch($tenantId, $userId, $data),
// Collection operations
'collection.list' => $this->collectionList($tenantId, $userId, $data),
'collection.extant' => $this->collectionExtant($tenantId, $userId, $data),
'collection.fetch' => $this->collectionFetch($tenantId, $userId, $data),
'collection.create' => $this->collectionCreate($tenantId, $userId, $data),
'collection.modify' => $this->collectionModify($tenantId, $userId, $data),
'collection.destroy' => $this->collectionDestroy($tenantId, $userId, $data),
'collection.copy' => $this->collectionCopy($tenantId, $userId, $data),
'collection.move' => $this->collectionMove($tenantId, $userId, $data),
// Entity operations
'entity.list' => $this->entityList($tenantId, $userId, $data),
'entity.delta' => $this->entityDelta($tenantId, $userId, $data),
'entity.extant' => $this->entityExtant($tenantId, $userId, $data),
'entity.fetch' => $this->entityFetch($tenantId, $userId, $data),
'entity.read' => $this->entityRead($tenantId, $userId, $data),
'entity.create' => $this->entityCreate($tenantId, $userId, $data),
'entity.modify' => $this->entityModify($tenantId, $userId, $data),
'entity.destroy' => $this->entityDestroy($tenantId, $userId, $data),
'entity.copy' => $this->entityCopy($tenantId, $userId, $data),
'entity.move' => $this->entityMove($tenantId, $userId, $data),
'entity.write' => $this->entityWrite($tenantId, $userId, $data),
// Node operations (unified recursive)
'node.list' => $this->nodeList($tenantId, $userId, $data),
'node.delta' => $this->nodeDelta($tenantId, $userId, $data),
default => throw new InvalidArgumentException('Unknown operation: ' . $operation)
};
}
// ==================== Provider Operations ====================
private function providerList(string $tenantId, string $userId, array $data = []): mixed {
$sources = null;
if (isset($data['sources']) && is_array($data['sources'])) {
$sources = new SourceSelector();
$sources->jsonDeserialize($data['sources']);
}
return $this->fileManager->providerList($tenantId, $userId, $sources);
}
private function providerExtant(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['sources']) || !is_array($data['sources'])) {
throw new InvalidArgumentException('Invalid sources selector provided');
}
$sources = new SourceSelector();
$sources->jsonDeserialize($data['sources']);
// retrieve providers
return $this->fileManager->providerExtant($tenantId, $userId, $sources);
}
// ==================== Service Operations ====================
private function serviceList(string $tenantId, string $userId, array $data = []): mixed {
$sources = null;
if (isset($data['sources']) && is_array($data['sources'])) {
$sources = new SourceSelector();
$sources->jsonDeserialize($data['sources']);
}
// retrieve services
return $this->fileManager->serviceList($tenantId, $userId, $sources);
}
private function serviceExtant(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['sources']) || !is_array($data['sources'])) {
throw new InvalidArgumentException('Invalid sources selector provided');
}
$sources = new SourceSelector();
$sources->jsonDeserialize($data['sources']);
// retrieve services
return $this->fileManager->serviceExtant($tenantId, $userId, $sources);
}
private function serviceFetch(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Invalid provider identifier provided');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Invalid service identifier provided');
}
// retrieve service
return $this->fileManager->serviceFetch($tenantId, $userId, $data['provider'], $data['identifier']);
}
// ==================== Collection Operations ====================
private function collectionList(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Invalid provider identifier provided');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Invalid service identifier provided');
}
$provider = $data['provider'];
$service = $data['service'];
$location = $data['location'] ?? null;
$filter = $data['filter'] ?? null;
$sort = $data['sort'] ?? null;
return $this->fileManager->collectionList(
$tenantId,
$userId,
$provider,
$service,
$location,
$filter,
$sort
);
}
private function collectionExtant(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
return [
'extant' => $this->fileManager->collectionExtant(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier']
)
];
}
private function collectionFetch(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
return $this->fileManager->collectionFetch(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier']
);
}
private function collectionCreate(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['data'])) {
throw new InvalidArgumentException('Missing required parameter: data');
}
$location = $data['location'] ?? null;
$options = $data['options'] ?? [];
return $this->fileManager->collectionCreate(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$location,
$data['data'],
$options
);
}
private function collectionModify(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
if (!isset($data['data'])) {
throw new InvalidArgumentException('Missing required parameter: data');
}
return $this->fileManager->collectionModify(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier'],
$data['data']
);
}
private function collectionDestroy(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
return [
'success' => $this->fileManager->collectionDestroy(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier']
)
];
}
private function collectionCopy(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$location = $data['location'] ?? null;
return $this->fileManager->collectionCopy(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier'],
$location
);
}
private function collectionMove(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$location = $data['location'] ?? null;
return $this->fileManager->collectionMove(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['identifier'],
$location
);
}
// ==================== Entity Operations ====================
private function entityList(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Invalid provider identifier provided');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Invalid service identifier provided');
}
if (!isset($data['collection'])) {
throw new InvalidArgumentException('Missing required parameter: collection');
}
$provider = $data['provider'];
$service = $data['service'];
$collection = $data['collection'];
$filter = $data['filter'] ?? null;
$sort = $data['sort'] ?? null;
$range = $data['range'] ?? null;
return $this->fileManager->entityList(
$tenantId,
$userId,
$provider,
$service,
$collection,
$filter,
$sort,
$range
);
}
private function entityDelta(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['collection'])) {
throw new InvalidArgumentException('Missing required parameter: collection');
}
if (!isset($data['signature']) || !is_string($data['signature'])) {
throw new InvalidArgumentException('Missing required parameter: signature');
}
$detail = $data['detail'] ?? 'ids';
return $this->fileManager->entityDelta(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['collection'],
$data['signature'],
$detail
);
}
private function entityExtant(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['collection'])) {
throw new InvalidArgumentException('Missing required parameter: collection');
}
if (!isset($data['identifiers']) || !is_array($data['identifiers'])) {
throw new InvalidArgumentException('Missing required parameter: identifiers');
}
return $this->fileManager->entityExtant(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['collection'],
$data['identifiers']
);
}
private function entityFetch(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['collection'])) {
throw new InvalidArgumentException('Missing required parameter: collection');
}
if (!isset($data['identifiers']) || !is_array($data['identifiers'])) {
throw new InvalidArgumentException('Missing required parameter: identifiers');
}
return $this->fileManager->entityFetch(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['collection'],
$data['identifiers']
);
}
private function entityRead(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['collection'])) {
throw new InvalidArgumentException('Missing required parameter: collection');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$content = $this->fileManager->entityRead(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['collection'],
$data['identifier']
);
return [
'content' => $content !== null ? base64_encode($content) : null,
'encoding' => 'base64'
];
}
private function entityCreate(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['data'])) {
throw new InvalidArgumentException('Missing required parameter: data');
}
$collection = $data['collection'] ?? null;
$options = $data['options'] ?? [];
return $this->fileManager->entityCreate(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$collection,
$data['data'],
$options
);
}
private function entityModify(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
if (!isset($data['data'])) {
throw new InvalidArgumentException('Missing required parameter: data');
}
$collection = $data['collection'] ?? null;
return $this->fileManager->entityModify(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$collection,
$data['identifier'],
$data['data']
);
}
private function entityDestroy(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$collection = $data['collection'] ?? null;
return [
'success' => $this->fileManager->entityDestroy(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$collection,
$data['identifier']
)
];
}
private function entityCopy(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$collection = $data['collection'] ?? null;
$destination = $data['destination'] ?? null;
return $this->fileManager->entityCopy(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$collection,
$data['identifier'],
$destination
);
}
private function entityMove(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
$collection = $data['collection'] ?? null;
$destination = $data['destination'] ?? null;
return $this->fileManager->entityMove(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$collection,
$data['identifier'],
$destination
);
}
private function entityWrite(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['identifier'])) {
throw new InvalidArgumentException('Missing required parameter: identifier');
}
if (!isset($data['content'])) {
throw new InvalidArgumentException('Missing required parameter: content');
}
// Decode content if base64 encoded
$content = $data['content'];
if (isset($data['encoding']) && $data['encoding'] === 'base64') {
$content = base64_decode($content);
if ($content === false) {
throw new InvalidArgumentException('Invalid base64 encoded content');
}
}
$bytesWritten = $this->fileManager->entityWrite(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$data['collection'],
$data['identifier'],
$content
);
return [
'bytesWritten' => $bytesWritten
];
}
// ==================== Node Operations (Unified/Recursive) ====================
private function nodeList(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Invalid provider identifier provided');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Invalid service identifier provided');
}
$provider = $data['provider'];
$service = $data['service'];
$location = $data['location'] ?? null;
$recursive = $data['recursive'] ?? false;
$filter = $data['filter'] ?? null;
$sort = $data['sort'] ?? null;
$range = $data['range'] ?? null;
return $this->fileManager->nodeList(
$tenantId,
$userId,
$provider,
$service,
$location,
$recursive,
$filter,
$sort,
$range
);
}
private function nodeDelta(string $tenantId, string $userId, array $data = []): mixed {
if (!isset($data['provider']) || !is_string($data['provider'])) {
throw new InvalidArgumentException('Missing required parameter: provider');
}
if (!isset($data['service'])) {
throw new InvalidArgumentException('Missing required parameter: service');
}
if (!isset($data['signature']) || !is_string($data['signature'])) {
throw new InvalidArgumentException('Missing required parameter: signature');
}
$location = $data['location'] ?? null;
$recursive = $data['recursive'] ?? false;
$detail = $data['detail'] ?? 'ids';
return $this->fileManager->nodeDelta(
$tenantId,
$userId,
$data['provider'],
$data['service'],
$location,
$data['signature'],
$recursive,
$detail
);
}
}

View File

@@ -0,0 +1,488 @@
<?php
declare(strict_types=1);
/**
* SPDX-FileCopyrightText: Sebastian Krupinski <krupinski01@gmail.com>
* SPDX-License-Identifier: AGPL-3.0-or-later
*/
namespace KTXM\FileManager\Controllers;
use InvalidArgumentException;
use KTXC\Http\Response\JsonResponse;
use KTXC\Http\Response\Response;
use KTXC\Http\Response\StreamedResponse;
use KTXC\SessionIdentity;
use KTXC\SessionTenant;
use KTXF\Controller\ControllerAbstract;
use KTXF\Files\Node\INodeCollectionBase;
use KTXF\Files\Node\INodeEntityBase;
use KTXF\Routing\Attributes\AuthenticatedRoute;
use KTXM\FileManager\Manager;
use KTXM\FileManager\Transfer\StreamingZip;
use Psr\Log\LoggerInterface;
use Throwable;
/**
* Controller for file transfers (downloads and uploads)
*
* Handles binary file transfers that don't fit the JSON API pattern:
* - Single file downloads (streamed)
* - Multi-file downloads as ZIP (streamed)
* - Folder downloads as ZIP with structure preserved (streamed)
* - Large file uploads (future)
* - ZIP file uploads with extraction (future)
*/
class TransferController extends ControllerAbstract
{
public function __construct(
private readonly SessionTenant $tenantIdentity,
private readonly SessionIdentity $userIdentity,
private Manager $fileManager,
private readonly LoggerInterface $logger
) {}
/**
* Download a single file
*
* GET /download/entity/{provider}/{service}/{collection}/{identifier}
*/
#[AuthenticatedRoute(
'/download/entity/{provider}/{service}/{collection}/{identifier}',
name: 'filemanager.download.entity',
methods: ['GET']
)]
public function downloadEntity(
string $provider,
string $service,
string $collection,
string $identifier
): Response {
$tenantId = $this->tenantIdentity->identifier();
$userId = $this->userIdentity->identifier();
try {
// Fetch entity metadata
$entities = $this->fileManager->entityFetch(
$tenantId,
$userId,
$provider,
$service,
$collection,
[$identifier]
);
if (empty($entities) || !isset($entities[$identifier])) {
return new JsonResponse([
'status' => 'error',
'error' => ['code' => 404, 'message' => 'File not found']
], Response::HTTP_NOT_FOUND);
}
/** @var INodeEntityBase $entity */
$entity = $entities[$identifier];
// Get the stream
$stream = $this->fileManager->entityReadStream(
$tenantId,
$userId,
$provider,
$service,
$collection,
$identifier
);
if ($stream === null) {
return new JsonResponse([
'status' => 'error',
'error' => ['code' => 404, 'message' => 'File content not available']
], Response::HTTP_NOT_FOUND);
}
$filename = $entity->getLabel() ?? 'download';
$mime = $entity->getMime() ?? 'application/octet-stream';
$size = $entity->size();
// Create streamed response
$response = new StreamedResponse(function () use ($stream) {
while (!feof($stream)) {
echo fread($stream, 65536);
@ob_flush();
flush();
}
fclose($stream);
});
$response->headers->set('Content-Type', $mime);
$response->headers->set('Content-Length', (string) $size);
$response->headers->set('Content-Disposition',
$response->headers->makeDisposition('attachment', $filename, $this->asciiFallback($filename))
);
$response->headers->set('Cache-Control', 'private, no-cache');
return $response;
} catch (Throwable $t) {
$this->logger->error('Download failed', ['exception' => $t]);
return new JsonResponse([
'status' => 'error',
'error' => ['code' => $t->getCode(), 'message' => $t->getMessage()]
], Response::HTTP_INTERNAL_SERVER_ERROR);
}
}
/**
* Download multiple files as a ZIP archive
*
* GET /download/archive?provider=...&service=...&ids[]=...&ids[]=...
*/
#[AuthenticatedRoute(
'/download/archive',
name: 'filemanager.download.archive',
methods: ['GET']
)]
public function downloadArchive(
string $provider,
string $service,
array $ids = [],
string $collection = null,
string $name = 'download'
): Response {
$tenantId = $this->tenantIdentity->identifier();
$userId = $this->userIdentity->identifier();
if (empty($ids)) {
return new JsonResponse([
'status' => 'error',
'error' => ['code' => 400, 'message' => 'No file IDs provided']
], Response::HTTP_BAD_REQUEST);
}
try {
// Build list of files to include
$files = $this->resolveFilesForArchive(
$tenantId,
$userId,
$provider,
$service,
$collection,
$ids
);
if (empty($files)) {
return new JsonResponse([
'status' => 'error',
'error' => ['code' => 404, 'message' => 'No files found']
], Response::HTTP_NOT_FOUND);
}
$archiveName = $this->sanitizeFilename($name) . '.zip';
// Create streamed ZIP response
$response = new StreamedResponse(function () use ($files, $tenantId, $userId, $provider, $service) {
$zip = new StreamingZip(null, false); // No compression for speed
foreach ($files as $file) {
$stream = $this->fileManager->entityReadStream(
$tenantId,
$userId,
$provider,
$service,
$file['collection'],
$file['id']
);
if ($stream !== null) {
$zip->addFileFromStream(
$file['path'],
$stream,
$file['modTime'] ?? null
);
fclose($stream);
}
}
$zip->finish();
});
$response->headers->set('Content-Type', 'application/zip');
$response->headers->set('Content-Disposition',
$response->headers->makeDisposition('attachment', $archiveName, $this->asciiFallback($archiveName))
);
$response->headers->set('Cache-Control', 'private, no-cache');
// No Content-Length since we're streaming
return $response;
} catch (Throwable $t) {
$this->logger->error('Archive download failed', ['exception' => $t]);
return new JsonResponse([
'status' => 'error',
'error' => ['code' => $t->getCode(), 'message' => $t->getMessage()]
], Response::HTTP_INTERNAL_SERVER_ERROR);
}
}
/**
* Download a collection (folder) as a ZIP archive with structure preserved
*
* GET /download/collection/{provider}/{service}/{identifier}
*/
#[AuthenticatedRoute(
'/download/collection/{provider}/{service}/{identifier}',
name: 'filemanager.download.collection',
methods: ['GET']
)]
public function downloadCollection(
string $provider,
string $service,
string $identifier
): Response {
$tenantId = $this->tenantIdentity->identifier();
$userId = $this->userIdentity->identifier();
try {
// Fetch collection metadata
$collection = $this->fileManager->collectionFetch(
$tenantId,
$userId,
$provider,
$service,
$identifier
);
if ($collection === null) {
return new JsonResponse([
'status' => 'error',
'error' => ['code' => 404, 'message' => 'Folder not found']
], Response::HTTP_NOT_FOUND);
}
$folderName = $collection->getLabel() ?? 'folder';
$archiveName = $this->sanitizeFilename($folderName) . '.zip';
// Build recursive file list
$files = $this->resolveCollectionContents(
$tenantId,
$userId,
$provider,
$service,
$identifier,
'' // Base path (root of archive)
);
// Create streamed ZIP response
$response = new StreamedResponse(function () use ($files, $tenantId, $userId, $provider, $service) {
$zip = new StreamingZip(null, false);
foreach ($files as $file) {
if ($file['type'] === 'directory') {
$zip->addDirectory($file['path'], $file['modTime'] ?? null);
} else {
$stream = $this->fileManager->entityReadStream(
$tenantId,
$userId,
$provider,
$service,
$file['collection'],
$file['id']
);
if ($stream !== null) {
$zip->addFileFromStream(
$file['path'],
$stream,
$file['modTime'] ?? null
);
fclose($stream);
}
}
}
$zip->finish();
});
$response->headers->set('Content-Type', 'application/zip');
$response->headers->set('Content-Disposition',
$response->headers->makeDisposition('attachment', $archiveName, $this->asciiFallback($archiveName))
);
$response->headers->set('Cache-Control', 'private, no-cache');
return $response;
} catch (Throwable $t) {
$this->logger->error('Collection download failed', ['exception' => $t]);
return new JsonResponse([
'status' => 'error',
'error' => ['code' => $t->getCode(), 'message' => $t->getMessage()]
], Response::HTTP_INTERNAL_SERVER_ERROR);
}
}
/**
* Resolve a list of entity/collection IDs into a flat file list for archiving
*/
private function resolveFilesForArchive(
string $tenantId,
string $userId,
string $provider,
string $service,
?string $collection,
array $ids
): array {
$files = [];
foreach ($ids as $id) {
// Try as entity first
if ($collection !== null) {
$entities = $this->fileManager->entityFetch(
$tenantId,
$userId,
$provider,
$service,
$collection,
[$id]
);
if (!empty($entities) && isset($entities[$id])) {
/** @var INodeEntityBase $entity */
$entity = $entities[$id];
$files[] = [
'type' => 'file',
'id' => $id,
'collection' => $collection,
'path' => $entity->getLabel() ?? $id,
'modTime' => $entity->modifiedOn()?->getTimestamp(),
];
continue;
}
}
// Try as collection (folder)
$collectionNode = $this->fileManager->collectionFetch(
$tenantId,
$userId,
$provider,
$service,
$id
);
if ($collectionNode !== null) {
$folderName = $collectionNode->getLabel() ?? $id;
$subFiles = $this->resolveCollectionContents(
$tenantId,
$userId,
$provider,
$service,
$id,
$folderName
);
$files = array_merge($files, $subFiles);
}
}
return $files;
}
/**
* Recursively resolve all contents of a collection into a flat file list
*/
private function resolveCollectionContents(
string $tenantId,
string $userId,
string $provider,
string $service,
string $collectionId,
string $basePath
): array {
$files = [];
// Add directory entry if we have a path
if ($basePath !== '') {
$files[] = [
'type' => 'directory',
'path' => $basePath,
'modTime' => null,
];
}
// Get all nodes in this collection using nodeList with recursive=false
// We handle recursion ourselves to build proper paths
try {
$nodes = $this->fileManager->nodeList(
$tenantId,
$userId,
$provider,
$service,
$collectionId,
false // Not recursive - we handle it ourselves
);
} catch (Throwable $e) {
$this->logger->warning('Failed to list collection contents', [
'collection' => $collectionId,
'exception' => $e
]);
return $files;
}
foreach ($nodes as $node) {
$nodeName = $node->getLabel() ?? (string) $node->id();
$nodePath = $basePath !== '' ? $basePath . '/' . $nodeName : $nodeName;
if ($node->isCollection()) {
// Recursively get contents of sub-collection
$subFiles = $this->resolveCollectionContents(
$tenantId,
$userId,
$provider,
$service,
(string) $node->id(),
$nodePath
);
$files = array_merge($files, $subFiles);
} else {
// It's an entity (file)
/** @var INodeEntityBase $node */
$files[] = [
'type' => 'file',
'id' => (string) $node->id(),
'collection' => $collectionId,
'path' => $nodePath,
'modTime' => $node->modifiedOn()?->getTimestamp(),
];
}
}
return $files;
}
/**
* Sanitize a filename for use in Content-Disposition header
*/
private function sanitizeFilename(string $filename): string
{
// Remove or replace problematic characters
$filename = preg_replace('/[<>:"\/\\|?*\x00-\x1F]/', '_', $filename);
$filename = trim($filename, '. ');
if ($filename === '') {
$filename = 'download';
}
return $filename;
}
/**
* Create an ASCII-safe fallback filename
*/
private function asciiFallback(string $filename): string
{
// Transliterate to ASCII
$fallback = transliterator_transliterate('Any-Latin; Latin-ASCII', $filename);
if ($fallback === false) {
$fallback = preg_replace('/[^\x20-\x7E]/', '_', $filename);
}
return $this->sanitizeFilename($fallback);
}
}