blob: 1cf0f845e7a51780732e9e5ce8e275bbdbda2b80 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
|
<?php
declare(strict_types=1);
/**
* SPDX-FileCopyrightText: 2019 Nextcloud GmbH and Nextcloud contributors
* SPDX-License-Identifier: AGPL-3.0-or-later
*/
namespace OCA\Files_Sharing\Notification;
use OCP\IGroup;
use OCP\IGroupManager;
use OCP\IUser;
use OCP\Notification\IManager as INotificationManager;
use OCP\Notification\INotification;
use OCP\Share\Events\ShareCreatedEvent;
use OCP\Share\IManager as IShareManager;
use OCP\Share\IShare;
use Symfony\Component\EventDispatcher\GenericEvent;
class Listener {
public function __construct(
protected INotificationManager $notificationManager,
protected IShareManager $shareManager,
protected IGroupManager $groupManager,
) {
}
public function shareNotification(ShareCreatedEvent $event): void {
$share = $event->getShare();
$notification = $this->instantiateNotification($share);
if ($share->getShareType() === IShare::TYPE_USER) {
$notification->setSubject(Notifier::INCOMING_USER_SHARE)
->setUser($share->getSharedWith());
$this->notificationManager->notify($notification);
} elseif ($share->getShareType() === IShare::TYPE_GROUP) {
$notification->setSubject(Notifier::INCOMING_GROUP_SHARE);
$group = $this->groupManager->get($share->getSharedWith());
foreach ($group->getUsers() as $user) {
if ($user->getUID() === $share->getShareOwner()
|| $user->getUID() === $share->getSharedBy()) {
continue;
}
$notification->setUser($user->getUID());
$this->notificationManager->notify($notification);
}
}
}
/**
* @param GenericEvent $event
*/
public function userAddedToGroup(GenericEvent $event): void {
/** @var IGroup $group */
$group = $event->getSubject();
/** @var IUser $user */
$user = $event->getArgument('user');
$offset = 0;
while (true) {
$shares = $this->shareManager->getSharedWith($user->getUID(), IShare::TYPE_GROUP, null, 50, $offset);
if (empty($shares)) {
break;
}
foreach ($shares as $share) {
if ($share->getSharedWith() !== $group->getGID()) {
continue;
}
if ($user->getUID() === $share->getShareOwner()
|| $user->getUID() === $share->getSharedBy()) {
continue;
}
$notification = $this->instantiateNotification($share);
$notification->setSubject(Notifier::INCOMING_GROUP_SHARE)
->setUser($user->getUID());
$this->notificationManager->notify($notification);
}
$offset += 50;
}
}
/**
* @param IShare $share
* @return INotification
*/
protected function instantiateNotification(IShare $share): INotification {
$notification = $this->notificationManager->createNotification();
$notification
->setApp('files_sharing')
->setObject('share', $share->getFullId())
->setDateTime($share->getShareTime());
return $notification;
}
}
|