You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
 
 
 
 
 

374 lines
13 KiB

<?php
declare(strict_types=1);
/**
* @copyright Copyright (c) 2022 Vitor Mattos <vitor@php.rio>
*
* @author Vitor Mattos <vitor@php.rio>
*
* @license GNU AGPL version 3 or any later version
*
* This program is free software: you can redistribute it and/or modify
* it under the terms of the GNU Affero General Public License as
* published by the Free Software Foundation, either version 3 of the
* License, or (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Affero General Public License for more details.
*
* You should have received a copy of the GNU Affero General Public License
* along with this program. If not, see <http://www.gnu.org/licenses/>.
*
*/
namespace OCA\Talk\Service;
use InvalidArgumentException;
use OC\User\NoUserException;
use OCA\Talk\AppInfo\Application;
use OCA\Talk\Chat\ChatManager;
use OCA\Talk\Config;
use OCA\Talk\Exceptions\ParticipantNotFoundException;
use OCA\Talk\Exceptions\RecordingNotFoundException;
use OCA\Talk\Manager;
use OCA\Talk\Participant;
use OCA\Talk\Recording\BackendNotifier;
use OCA\Talk\Room;
use OCP\AppFramework\Utility\ITimeFactory;
use OCP\Files\File;
use OCP\Files\Folder;
use OCP\Files\IMimeTypeDetector;
use OCP\Files\IRootFolder;
use OCP\Files\NotFoundException;
use OCP\Files\NotPermittedException;
use OCP\Notification\IManager;
use OCP\PreConditionNotMetException;
use OCP\Share\IManager as ShareManager;
use OCP\Share\IShare;
use OCP\SpeechToText\ISpeechToTextManager;
use Psr\Log\LoggerInterface;
class RecordingService {
public const DEFAULT_ALLOWED_RECORDING_FORMATS = [
'audio/ogg' => ['ogg'],
'video/ogg' => ['ogv'],
'video/webm' => ['webm'],
'video/x-matroska' => ['mkv'],
];
public const UPLOAD_ERRORS = [
UPLOAD_ERR_INI_SIZE => 'The uploaded file exceeds the upload_max_filesize directive in php.ini',
UPLOAD_ERR_FORM_SIZE => 'The uploaded file exceeds the MAX_FILE_SIZE directive that was specified in the HTML form',
UPLOAD_ERR_PARTIAL => 'The file was only partially uploaded',
UPLOAD_ERR_NO_FILE => 'No file was uploaded',
UPLOAD_ERR_NO_TMP_DIR => 'Missing a temporary folder',
UPLOAD_ERR_CANT_WRITE => 'Could not write file to disk',
UPLOAD_ERR_EXTENSION => 'A PHP extension stopped the file upload',
];
public function __construct(
protected IMimeTypeDetector $mimeTypeDetector,
protected ParticipantService $participantService,
protected IRootFolder $rootFolder,
protected IManager $notificationManager,
protected Manager $roomManager,
protected ITimeFactory $timeFactory,
protected Config $config,
protected RoomService $roomService,
protected ShareManager $shareManager,
protected ChatManager $chatManager,
protected LoggerInterface $logger,
protected BackendNotifier $backendNotifier,
protected ISpeechToTextManager $speechToTextManager,
) {
}
public function start(Room $room, int $status, string $owner, Participant $participant): void {
$availableRecordingTypes = [Room::RECORDING_VIDEO, Room::RECORDING_AUDIO];
if (!in_array($status, $availableRecordingTypes, true)) {
throw new InvalidArgumentException('status');
}
if ($room->getCallRecording() !== Room::RECORDING_NONE && $room->getCallRecording() !== Room::RECORDING_FAILED) {
throw new InvalidArgumentException('recording');
}
if (!$room->getActiveSince() instanceof \DateTimeInterface) {
throw new InvalidArgumentException('call');
}
if (!$this->config->isRecordingEnabled()) {
throw new InvalidArgumentException('config');
}
$this->backendNotifier->start($room, $status, $owner, $participant);
$startingStatus = $status === Room::RECORDING_VIDEO ? Room::RECORDING_VIDEO_STARTING : Room::RECORDING_AUDIO_STARTING;
$this->roomService->setCallRecording($room, $startingStatus);
}
public function stop(Room $room, ?Participant $participant = null): void {
if ($room->getCallRecording() === Room::RECORDING_NONE) {
return;
}
try {
$this->backendNotifier->stop($room, $participant);
} catch (RecordingNotFoundException $e) {
// If the recording to be stopped is not known to the recording
// server it will never notify that the recording was stopped, so
// the status needs to be explicitly changed here.
$this->roomService->setCallRecording($room, Room::RECORDING_FAILED);
}
}
public function store(Room $room, string $owner, array $file): void {
try {
$participant = $this->participantService->getParticipant($room, $owner);
} catch (ParticipantNotFoundException $e) {
throw new InvalidArgumentException('owner_participant');
}
$content = $this->getContentFromFileArray($file, $room, $participant);
$fileName = basename($file['name']);
$this->validateFileFormat($fileName, $content);
try {
$recordingFolder = $this->getRecordingFolder($owner, $room->getToken());
$fileNode = $recordingFolder->newFile($fileName, $content);
$this->notifyStoredRecording($room, $participant, $fileNode);
} catch (NoUserException $e) {
throw new InvalidArgumentException('owner_invalid');
} catch (NotPermittedException $e) {
throw new InvalidArgumentException('owner_permission');
}
try {
$this->speechToTextManager->scheduleFileTranscription($fileNode, $owner, Application::APP_ID);
} catch (PreConditionNotMetException $e) {
// No Speech-to-text provider installed
$this->logger->debug('Could not generate transcript of call recording', ['exception' => $e]);
} catch (InvalidArgumentException $e) {
$this->logger->warning('Could not generate transcript of call recording', ['exception' => $e]);
}
}
public function storeTranscript(string $owner, File $recording, string $transcript): void {
$recordingFolder = $recording->getParent();
$roomToken = $recordingFolder->getName();
try {
$room = $this->roomManager->getRoomForUserByToken($roomToken, $owner);
$participant = $this->participantService->getParticipant($room, $owner);
} catch (ParticipantNotFoundException) {
$this->logger->warning('Could not determinate conversation when trying to store transcription of call recording');
throw new InvalidArgumentException('owner_participant');
}
$transcriptFileName = pathinfo($recording->getName(), PATHINFO_FILENAME) . '.txt';
try {
$fileNode = $recordingFolder->newFile($transcriptFileName, $transcript);
$this->notifyStoredTranscript($room, $participant, $fileNode);
} catch (NoUserException) {
throw new InvalidArgumentException('owner_invalid');
} catch (NotPermittedException) {
throw new InvalidArgumentException('owner_permission');
}
}
public function notifyAboutFailedTranscript(string $owner, File $recording): void {
$recordingFolder = $recording->getParent();
$roomToken = $recordingFolder->getName();
try {
$room = $this->roomManager->getRoomForUserByToken($roomToken, $owner);
$participant = $this->participantService->getParticipant($room, $owner);
} catch (ParticipantNotFoundException) {
$this->logger->warning('Could not determinate conversation when trying to notify about failed transcription of call recording');
throw new InvalidArgumentException('owner_participant');
}
$attendee = $participant->getAttendee();
$notification = $this->notificationManager->createNotification();
$notification
->setApp('spreed')
->setDateTime($this->timeFactory->getDateTime())
->setObject('recording', $room->getToken())
->setUser($attendee->getActorId())
->setSubject('transcript_failed', [
'objectId' => $recording->getId(),
]);
$this->notificationManager->notify($notification);
}
public function getContentFromFileArray(array $file, Room $room, Participant $participant): string {
if ($file['error'] !== 0) {
$error = self::UPLOAD_ERRORS[$file['error']];
$this->logger->error($error);
$notification = $this->notificationManager->createNotification();
$notification
->setApp('spreed')
->setDateTime($this->timeFactory->getDateTime())
->setObject('recording_information', $room->getToken())
->setUser($participant->getAttendee()->getActorId())
->setSubject('record_file_store_fail');
$this->notificationManager->notify($notification);
throw new InvalidArgumentException('invalid_file');
}
$content = file_get_contents($file['tmp_name']);
unlink($file['tmp_name']);
if (!$content) {
throw new InvalidArgumentException('empty_file');
}
return $content;
}
public function validateFileFormat(string $fileName, $content): void {
$mimeType = $this->mimeTypeDetector->detectString($content);
$allowed = self::DEFAULT_ALLOWED_RECORDING_FORMATS;
if (!array_key_exists($mimeType, $allowed)) {
$this->logger->warning("Uploaded file detected mime type ($mimeType) is not allowed");
throw new InvalidArgumentException('file_mimetype');
}
$extension = strtolower(pathinfo($fileName, PATHINFO_EXTENSION));
if (!$extension || !in_array($extension, $allowed[$mimeType])) {
$this->logger->warning("Uploaded file extensions ($extension) is not allowed for the detected mime type ($mimeType)");
throw new InvalidArgumentException('file_extension');
}
}
/**
* @throws NotPermittedException
* @throws NoUserException
*/
private function getRecordingFolder(string $owner, string $token): Folder {
$userFolder = $this->rootFolder->getUserFolder($owner);
$recordingRootFolderName = $this->config->getRecordingFolder($owner);
try {
/** @var \OCP\Files\Folder */
$recordingRootFolder = $userFolder->get($recordingRootFolderName);
} catch (NotFoundException $e) {
/** @var \OCP\Files\Folder */
$recordingRootFolder = $userFolder->newFolder($recordingRootFolderName);
}
try {
$recordingFolder = $recordingRootFolder->get($token);
} catch (NotFoundException $e) {
$recordingFolder = $recordingRootFolder->newFolder($token);
}
return $recordingFolder;
}
public function notifyStoredRecording(Room $room, Participant $participant, File $file): void {
$attendee = $participant->getAttendee();
$notification = $this->notificationManager->createNotification();
$notification
->setApp('spreed')
->setDateTime($this->timeFactory->getDateTime())
->setObject('recording', $room->getToken())
->setUser($attendee->getActorId())
->setSubject('record_file_stored', [
'objectId' => $file->getId(),
]);
$this->notificationManager->notify($notification);
}
public function notifyStoredTranscript(Room $room, Participant $participant, File $file): void {
$attendee = $participant->getAttendee();
$notification = $this->notificationManager->createNotification();
$notification
->setApp('spreed')
->setDateTime($this->timeFactory->getDateTime())
->setObject('recording', $room->getToken())
->setUser($attendee->getActorId())
->setSubject('transcript_file_stored', [
'objectId' => $file->getId(),
]);
$this->notificationManager->notify($notification);
}
public function notificationDismiss(Room $room, Participant $participant, int $timestamp): void {
$notification = $this->notificationManager->createNotification();
$notification->setApp('spreed')
->setObject('recording', $room->getToken())
->setDateTime($this->timeFactory->getDateTime('@' . $timestamp))
->setUser($participant->getAttendee()->getActorId());
$this->notificationManager->markProcessed($notification);
foreach (['record_file_stored', 'transcript_file_stored'] as $subject) {
$notification->setSubject($subject);
$this->notificationManager->markProcessed($notification);
}
}
private function getTypeOfShare(string $mimetype): string {
if (str_starts_with($mimetype, 'video/')) {
return 'record-video';
}
return 'record-audio';
}
public function shareToChat(Room $room, Participant $participant, int $fileId, int $timestamp): void {
try {
$userFolder = $this->rootFolder->getUserFolder(
$participant->getAttendee()->getActorId()
);
/** @var \OCP\Files\File[] */
$files = $userFolder->getById($fileId);
$file = array_shift($files);
} catch (\Throwable $th) {
throw new InvalidArgumentException('file');
}
$creationDateTime = $this->timeFactory->getDateTime();
$share = $this->shareManager->newShare();
$share->setNodeId($fileId)
->setShareTime($creationDateTime)
->setSharedBy($participant->getAttendee()->getActorId())
->setNode($file)
->setShareType(IShare::TYPE_ROOM)
->setSharedWith($room->getToken())
->setPermissions(\OCP\Constants::PERMISSION_READ);
$share = $this->shareManager->createShare($share);
$message = json_encode([
'message' => 'file_shared',
'parameters' => [
'share' => $share->getId(),
'metaData' => [
'mimeType' => $file->getMimeType(),
'messageType' => $this->getTypeOfShare($file->getMimeType()),
],
],
], JSON_THROW_ON_ERROR);
try {
$this->chatManager->addSystemMessage(
$room,
$participant->getAttendee()->getActorType(),
$participant->getAttendee()->getActorId(),
$message,
$creationDateTime,
true
);
} catch (\Exception $e) {
$this->logger->error($e->getMessage(), ['exception' => $e]);
throw new InvalidArgumentException('system');
}
$this->notificationDismiss($room, $participant, $timestamp);
}
}